In [458]:
# ✅ Cell 0 — Setup
# Purpose:
# - Define file paths for modern and legacy catalog files
# - Sort all files by year
# - Include college name mapper helper

import os
import re

# Base directories
catalog_dir = "/Users/buddy/Desktop/WGU-Reddit/data/WGU_catalog/catalogs-2017-2025"
tagged_dir = os.path.join(catalog_dir, "tagged")

# Modern untagged files
modern_files = [
    "catalog_june_2021.txt",
    "catalog_june_2022.txt",
    "catalog_june_2023.txt",
    "catalog_june_2024.txt",
    "catalog_june_2025.txt"
]

# Legacy tagged files
legacy_files = [
    "catalog_july_2017_tagged.txt",
    "catalog_june_2018_tagged.txt",
    "catalog_june_2019_tagged.txt",
    "catalog_june_2020_tagged.txt"
]

# Build full paths
modern_files = [os.path.join(catalog_dir, f) for f in modern_files]
legacy_files = [os.path.join(tagged_dir, f) for f in legacy_files]

# Combine and sort
all_files = modern_files + legacy_files

def extract_year(filepath):
    base = os.path.basename(filepath)
    m = re.search(r'(20\\d{2})', base)
    return int(m.group(1)) if m else 0

all_files = sorted(all_files, key=extract_year)

# ✅ College name standardizer
def map_college_name(raw):
    if raw == "Teachers College":
        return "School of Education"
    elif raw == "College of Business":
        return "School of Business"
    elif raw in ["College of Health Professions", "Leavitt School of Health"]:
        return "School of Health"
    elif raw == "College of Information Technology":
        return "School of Technology"
    else:
        return raw
In [459]:
# ✅ Cell 1 — Define Patterns (FINAL)

import re

# Tenets pattern — full valid names only
tenets_pattern = re.compile(
    r'^(School of [A-Za-z ]+|College of [A-Za-z ]+|Leavitt School of Health|Teachers College) Tenets:'
)

# Tagged college marker
college_tag_pattern = re.compile(r'^###COLLEGE:\s*(.+)')

# Certificates header
certificates_header_pattern = re.compile(r'^Certificates - Standard Paths')

# Copyright line
copyright_pattern = re.compile(r'^© Western Governors University')

# Footer for Total CUs
footer_pattern = re.compile(r'Total CUs:\s*\d+', re.IGNORECASE)

# Program title line — must start with prefix AND contain no © anywhere
title_pattern = re.compile(
    r'^(?:Bachelor|Master|B\.S\.|B\.A\.|M\.S\.|M\.A\.|MBA|Certificate:|Post-Master\'s Certificate|Endorsement)(?!.*©).*\Z',
    re.IGNORECASE
)
In [460]:
# fix_specials.py

import re

footer_pattern = re.compile(r'Total CUs:\s*\d+', re.IGNORECASE)
copyright_pattern = re.compile(r'^© Western Governors University')
title_pattern = re.compile(
    r'^(Bachelor|Master|B\.S\.|B\.A\.|M\.S\.|M\.A\.|MBA|Certificate:|Post-Master\'s Certificate|Endorsement)',
    re.IGNORECASE
)

def fix_lines_if_needed(lines, filename):
    fixed = lines.copy()

    if "2023" in filename or "2024" in filename:
        fixed = fix_health_block_23_24(fixed)
        fixed = fix_nursing_prelicensure_blocks(fixed)

    if "2022" in filename:
        fixed = add_missing_copyrights(fixed)

    if "2021" in filename:
        fixed = fix_2021_blocks(fixed)

    if "2024" in filename:
        fixed = fix_2024_blocks(fixed)

    fixed = fix_management_and_nursing(fixed)

    return fixed


def fix_health_block_23_24(lines):
    fixed = []
    inserted_header = False

    for line in lines:
        if "Bachelor of Science, Nursing" in line and not inserted_header:
            fixed.append("###COLLEGE: School of Health")
            inserted_header = True
        fixed.append(line)

    return fixed


def fix_nursing_prelicensure_blocks(lines):
    fixed = []
    block = []
    inside = False
    footer = ""
    copyright_line = ""

    for line in lines:
        if "Bachelor of Science, Nursing - Prelicensure" in line:
            if block:
                if footer:
                    block.append(footer)
                if copyright_line:
                    block.append(copyright_line)
                fixed.extend(block)
                block = []
                footer = ""
                copyright_line = ""
            inside = True

        if inside:
            if footer_pattern.search(line):
                footer = line
                continue
            if copyright_pattern.search(line):
                copyright_line = line
                continue
            if title_pattern.match(line) and "Nursing - Prelicensure" not in line:
                if footer:
                    block.append(footer)
                if copyright_line:
                    block.append(copyright_line)
                fixed.extend(block)
                block = []
                inside = False
                footer = ""
                copyright_line = ""
                fixed.append(line)
                continue
            block.append(line)
        else:
            fixed.append(line)

    if block:
        if footer:
            block.append(footer)
        if copyright_line:
            block.append(copyright_line)
        fixed.extend(block)

    return fixed


def fix_2024_blocks(lines):
    fixed = []
    se_seen = {"java": False, "csharp": False}
    med_seen = 0

    for line in lines:
        if line.strip() == "Bachelor of Science, Software Engineering":
            if not se_seen["java"]:
                line = "Bachelor of Science, Software Engineering (Java Track)"
                se_seen["java"] = True
            elif not se_seen["csharp"]:
                line = "Bachelor of Science, Software Engineering (C# Track)"
                se_seen["csharp"] = True

        if line.strip() == "Master of Education, Education Technology and Instructional Design":
            med_seen += 1
            if med_seen == 1:
                line = "Master of Education, Education Technology and Instructional Design (K-12 and Adult Learner)"
            elif med_seen == 2:
                line = "Master of Education, Education Technology and Instructional Design (Adult Learner)"
            elif med_seen == 3:
                line = "Master of Education, Education Technology and Instructional Design (K-12 Learner)"

        fixed.append(line)

    return fixed


def fix_2021_blocks(lines):
    fixed = []
    se_seen = {"java": False, "csharp": False}
    med_seen = 0

    for line in lines:
        if line.strip() == "Bachelor of Science, Software Engineering":
            if not se_seen["java"]:
                line = "Bachelor of Science, Software Engineering (Java Track)"
                se_seen["java"] = True
            elif not se_seen["csharp"]:
                line = "Bachelor of Science, Software Engineering (C# Track)"
                se_seen["csharp"] = True

        if line.strip() == "Master of Education, Education Technology and Instructional Design":
            med_seen += 1
            if med_seen == 1:
                line = "Master of Education, Education Technology and Instructional Design (K-12 and Adult Learner)"
            elif med_seen == 2:
                line = "Master of Education, Education Technology and Instructional Design (Adult Learner)"
            elif med_seen == 3:
                line = "Master of Education, Education Technology and Instructional Design (K-12 Learner)"

        fixed.append(line)

    return fixed


def fix_management_and_nursing(lines):
    fixed = []
    mgmt_seen = {"plain": False, "mkt": False, "hc": False}
    nursing_seen = {"pre": False, "rn": False}

    for line in lines:
        txt = line.strip()

        if txt == "Bachelor of Science Business Administration, Management":
            if not mgmt_seen["plain"]:
                mgmt_seen["plain"] = True
            elif not mgmt_seen["mkt"]:
                line = "Bachelor of Science Business Administration, Management (Marketing Emphasis)"
                mgmt_seen["mkt"] = True
            elif not mgmt_seen["hc"]:
                line = "Bachelor of Science Business Administration, Management (Healthcare Emphasis)"
                mgmt_seen["hc"] = True

        if txt == "Bachelor of Science, Nursing":
            if not nursing_seen["pre"]:
                line = "Bachelor of Science, Nursing (Prelicensure)"
                nursing_seen["pre"] = True
            elif not nursing_seen["rn"]:
                line = "Bachelor of Science, Nursing (RN to BSN)"
                nursing_seen["rn"] = True

        fixed.append(line)

    return fixed


def remove_cloud_from_health(lines):
    return lines


def add_missing_copyrights(lines):
    return lines


def move_misplaced_total_cus(lines):
    return lines
In [473]:
# parse_courses.py
# parse_courses.py

import re

dept_course_regex = re.compile(
    r'^([A-Z]{2,5})\s+(\d{4})\s+([A-Z]{1,4})\s*(\d{1,4}[A-Z]?)\s+(.*?)\s+(\d+)\s+\d+$'
)

def parse_courses(ccn_rows):
    courses = []
    seen = set()

    for line in ccn_rows:
        if '©' in line or len(line.split()) < 4:
            continue

        match = dept_course_regex.match(line)
        if not match:
            continue

        dept, num, prefix, code, name, cu = match.groups()
        ccn = dept
        course_code = f"{prefix}{code}"
        course_name = name.strip()
        cu = int(cu)

        key = (ccn, course_code, course_name)
        if key in seen:
            continue

        courses.append({
            "ccn": ccn,
            "course_code": course_code,
            "course_name": course_name,
            "cu": cu
        })

        seen.add(key)

    return courses
In [461]:
# ✅ Cell 3 — parse_program (updated to use parse_courses)

def parse_program(lines, i, end, is_first_copyright, debug=False):
    if debug:
        print(f"\n🔍 parse_program: starting at line {i}: '{lines[i]}'")

    trust_copyright = False

    if copyright_pattern.match(lines[i]):
        if is_first_copyright:
            trust_copyright = True
            is_first_copyright = False
            if debug:
                print(f"  ✔️ Using first copyright in block")
        elif i > 0 and footer_pattern.search(lines[i - 1]):
            trust_copyright = True
            if debug:
                print(f"  ✔️ Using copyright after Total CUs")

        if trust_copyright:
            i += 1
            while i < end and not title_pattern.match(lines[i]):
                if debug:
                    print(f"  ➜ Skipping stray line: '{lines[i]}'")
                i += 1
        else:
            if debug:
                print(f"  ❌ Skipping stray watermark")
            return None, i + 1, is_first_copyright

    if i >= end:
        if debug:
            print(f"  ⚠️ Reached end while looking for title.")
        return None, i, is_first_copyright

    title_candidate = lines[i].strip()
    if debug:
        print(f"  ➜ Title candidate: '{title_candidate}'")

    if not title_pattern.match(title_candidate):
        if debug:
            print(f"  ❌ Invalid title line: '{title_candidate}'")
        return None, i + 1, is_first_copyright

    program_title = title_candidate
    i += 1

    program_desc = []
    while i < end and not lines[i].startswith("CCN Course Number"):
        program_desc.append(lines[i])
        i += 1

    if debug:
        print(f"  ✔️ Collected description ({len(program_desc)} lines)")

    if i >= end:
        if debug:
            print(f"  ⚠️ Reached end while looking for CCN header.")
        return None, i, is_first_copyright

    if debug:
        print(f"  ✔️ Found CCN header at line {i}: '{lines[i]}'")
    i += 1

    ccn_rows = []
    cu_footer = ""
    while i < end:
        line = lines[i]
        if footer_pattern.search(line):
            cu_footer = line
            if debug:
                print(f"  ✔️ Found Total CUs footer at line {i}: '{line}'")
            i += 1
            break
        ccn_rows.append(line)
        i += 1

    if debug:
        print(f"  ✔️ Collected {len(ccn_rows)} course rows")

    # ✅ New: parse the course rows
    courses = parse_courses(ccn_rows)

    if debug:
        print(f"  ✔️ Parsed {len(courses)} valid courses")

    return {
        "title": program_title,
        "desc": " ".join(program_desc).strip(),
        "courses": courses,
        "cu_footer": cu_footer
    }, i, is_first_copyright
In [ ]:

In [462]:
# ✅ Debug version — same parse_college, just more prints

def parse_college(lines, start, end, college_name, debug=False):
    if debug:
        print(f"\n📌 START COLLEGE: {college_name} | Lines {start} to {end}")

    i = start + 1
    desc_lines = []

    while i < end:
        line = lines[i]
        if college_name == "School of Education":
            if title_pattern.match(line):
                if debug:
                    print(f"  ➜ Found program title at {i}: '{line}' → end description")
                break
            if copyright_pattern.match(line):
                if debug:
                    print(f"  ➜ Skipping stray © at {i}: '{line}'")
                i += 1
                continue
        else:
            if copyright_pattern.match(line):
                if debug:
                    print(f"  ➜ End description at © line {i}: '{line}'")
                break
        desc_lines.append(line)
        i += 1

    college_desc = " ".join(desc_lines).strip()
    if debug:
        print(f"  ➜ College Description: '{college_desc[:60]}...'")

    programs = []
    while i < end:
        if debug:
            print(f"  ➜ Checking line {i}: '{lines[i]}'")
        result, next_i, _ = parse_program(lines, i, end, True, debug=debug)
        if result:
            result["college"] = college_name
            result["college_desc"] = college_desc
            programs.append(result)
            if debug:
                print(f"    ✔️ Parsed '{result['title']}'")
            i = next_i
            continue
        i += 1
        if i < end and tenets_pattern.match(lines[i]):
            if debug:
                print(f"  ➜ Next college detected at {i}: '{lines[i]}' → stop parsing")
            break
    if debug:
        print(f"📌 DONE COLLEGE: {college_name} | Programs found: {len(programs)}")
    return programs
In [463]:
# ✅ Cell 5 — parse_file (Single Source of Truth)
# Purpose:
# - Open a catalog file, run any needed line fixers,
# - Extract unique college names, handling both `_tagged` and modern formats.
# - Uses Tenets pattern and tagged college pattern defined in Cell 1.

def parse_file(filepath, debug=False):
    with open(filepath, "r", encoding="utf-8") as f:
        lines = [line.strip() for line in f]

    lines = fix_lines_if_needed(lines, filepath)

    colleges = set()

    # Legacy tagged files: 2017–2020
    if "_tagged" in filepath and any(y in filepath for y in ["2017", "2018", "2019", "2020"]):
        for line in lines:
            match = college_tag_pattern.match(line)
            if match:
                name = match.group(1).strip()
                if name == "Leavitt School of Health":
                    name = "School of Health"
                colleges.add(name)

    # Modern Tenets-based files
    else:
        for line in lines:
            match = tenets_pattern.match(line)
            if match:
                raw_name = match.group(1)
                if not raw_name:
                    if debug:
                        print(f"⚠️ Skipped bad match: {line}")
                    continue

                if raw_name == "Teachers College":
                    name = "School of Education"
                elif raw_name == "College of Business":
                    name = "School of Business"
                elif raw_name in ["College of Health Professions", "Leavitt School of Health"]:
                    name = "School of Health"
                elif raw_name == "College of Information Technology":
                    name = "School of Technology"
                else:
                    name = raw_name

                colleges.add(name)

                if debug:
                    print(f"🔍 Found: {name}")

    return sorted(colleges)
In [472]:
for f in all_files:
    colleges = parse_file(f)
    print(f"\n{os.path.basename(f)}: {colleges if colleges else '⚠️ None found'}")
catalog_june_2021.txt: ['School of Business', 'School of Education', 'School of Health', 'School of Technology']

catalog_june_2022.txt: ['School of Business', 'School of Education', 'School of Health', 'School of Technology']

catalog_june_2023.txt: ['School of Business', 'School of Education', 'School of Health', 'School of Technology']

catalog_june_2024.txt: ['School of Business', 'School of Education', 'School of Health', 'School of Technology']

catalog_june_2025.txt: ['School of Business', 'School of Education', 'School of Health', 'School of Technology']

catalog_july_2017_tagged.txt: ['School of Business', 'School of Education', 'School of Health', 'School of Technology']

catalog_june_2018_tagged.txt: ['School of Business', 'School of Education', 'School of Health', 'School of Technology']

catalog_june_2019_tagged.txt: ['School of Business', 'School of Education', 'School of Health', 'School of Technology']

catalog_june_2020_tagged.txt: ['School of Business', 'School of Education', 'School of Health', 'School of Technology']
In [477]:
# ✅ Cell 6 — Debug legacy only: show colleges and program titles only

import os

for filepath in legacy_files:
    print(f"\n=== {os.path.basename(filepath)} ===")
    with open(filepath, "r", encoding="utf-8") as f:
        lines = [line.strip() for line in f]

    lines = fix_lines_if_needed(lines, filepath)

    markers = []
    for i, line in enumerate(lines):
        m = college_tag_pattern.match(line)
        if m:
            raw = m.group(1)
            name = map_college_name(raw)
            markers.append((i, name))

    markers.append((len(lines), None))

    for (start, college_name), (end, _) in zip(markers[:-1], markers[1:]):
        progs = parse_college(lines, start, end, college_name)
        print(f"{college_name}:")
        for p in progs:
            print(f"  - {p['title']}")
=== catalog_july_2017_tagged.txt ===
School of Business:
School of Health:
School of Technology:
School of Education:
  - Bachelor of Arts, Interdisciplinary Studies (K-8)
  - Bachelor of Arts, Mathematics (5-9)
  - Bachelor of Arts, Mathematics (5-12)
  - Bachelor of Arts, Science (5-9)
  - Bachelor of Arts, Science (5-12, Bio)
  - Bachelor of Arts, Science (5-12, Chemistry)
  - Bachelor of Arts, Science (5-12, Geo)
  - Bachelor of Arts, Science (5-12, Physics)
  - Bachelor of Arts, Special Education
  - Master of Arts in Teaching, Elementary Education (K-8)
  - Master of Arts in Teaching, English Education (5-12)
  - Master of Arts in Teaching, Mathematics (5-9)
  - Master of Arts in Teaching, Mathematics (5-12)
  - Master of Arts in Teaching, Science (5-12)
  - Master of Science, Special Education
  - Master of Science, Educational Leadership
  - Master of Arts, English Language Learning (PreK-12)
  - Master of Arts, Mathematics Education (K-6)
  - Master of Arts, Mathematics Education (5-9)
  - Master of Arts, Mathematics Education (5-12)
  - Master of Arts, Science Education (5-9)
  - Master of Arts, Science Education (5-12, Chemistry)
  - Master of Arts, Science Education (5-12, Physics)
  - Master of Arts, Science Education (5-12, Bio)
  - Master of Arts, Science Education (5-12, Geo)
  - Master of Education, Instructional Design
  - Master of Education, Learning and Technology
  - Master of Science, Curriculum and Instruction
  - Endorsement Preparation Program, Educational Leadership
  - Endorsement Preparation Program, English Language Learning (PreK-12)

=== catalog_june_2018_tagged.txt ===
School of Business:
School of Health:
School of Technology:
School of Education:
  - Bachelor of Arts, Interdisciplinary Studies (K-8)
  - Bachelor of Arts, Special Education
  - Bachelor of Arts, Mathematics (5-9)
  - Bachelor of Arts, Mathematics (5-12)
  - Bachelor of Science, Science Education (Middle Grades)
  - Bachelor of Science, Science Education (Secondary Biological Science)
  - Bachelor of Science, Science Education (Secondary Chemistry)
  - Bachelor of Science, Science Education (Secondary Earth Science)
  - Bachelor of Science, Science Education (Secondary Physics)
  - Master of Arts in Teaching, Elementary Education
  - Master of Arts in Teaching, English Education (Secondary)
  - Master of Arts in Teaching, Mathematics Education (Middle Grades)
  - Master of Arts in Teaching, Mathematics Education (Secondary)
  - Master of Arts in Teaching, Science Education (Secondary)
  - Master of Science, Curriculum and Instruction
  - Master of Science, Special Education
  - Master of Science, Educational Leadership
  - Master of Arts, English Language Learning (PreK-12)
  - Master of Education, Instructional Design
  - Master of Education, Learning and Technology
  - Master of Arts, Mathematics Education (K-6)
  - Master of Arts, Mathematics Education (5-9)
  - Master of Arts, Mathematics Education (5-12)
  - Master of Arts Science Education (Middle Grades)
  - Master of Arts Science Education (Secondary Biological Science)
  - Master of Arts Science Education (Secondary Chemistry)
  - Master of Arts Science Education (Secondary Earth Science)
  - Master of Arts Science Education (Secondary Physics)
  - Endorsement Preparation Program, English Language Learning (PreK-12)
  - Endorsement Preparation Program, Educational Leadership

=== catalog_june_2019_tagged.txt ===
School of Business:
School of Health:
School of Technology:
School of Education:
  - Bachelor of Arts, Elementary Education
  - Bachelor of Arts, Special Education and Elementary Education (Dual Licensure)
  - Bachelor of Arts, Special Education, Mild to Moderate
  - Bachelor of Science, Mathematics Education (Middle Grades)
  - Bachelor of Science, Mathematics Education (Secondary)
  - Bachelor of Science, Science Education (Middle Grades)
  - Bachelor of Science, Science Education (Secondary Biological Science)
  - Bachelor of Science, Science Education (Secondary Chemistry)
  - Bachelor of Science, Science Education (Secondary Earth Science)
  - Bachelor of Science, Science Education (Secondary Physics)
  - Master of Arts in Teaching, Elementary Education
  - Master of Arts in Teaching, English Education (Secondary)
  - Master of Arts in Teaching, Mathematics Education (Middle Grades)
  - Master of Arts in Teaching, Mathematics Education (Secondary)
  - Master of Arts in Teaching, Science Education (Secondary)
  - Master of Science, Curriculum and Instruction
  - Master of Science, Special Education
  - Master of Science, Educational Leadership
  - Master of Arts, English Language Learning (PreK-12)
  - Master of Education, Instructional Design
  - Master of Education, Learning and Technology
  - Master of Arts, Mathematics Education (K-6)
  - Master of Arts in Mathematics Education (Middle Grades)
  - Master of Arts in Mathematics Education (Secondary)
  - Master of Arts Science Education (Middle Grades)
  - Master of Arts Science Education (Secondary Biological Science)
  - Master of Arts Science Education (Secondary Chemistry)
  - Master of Arts Science Education (Secondary Earth Science)
  - Master of Arts Science Education (Secondary Physics)
  - Endorsement Preparation Program, English Language Learning (PreK-12)
  - Endorsement Preparation Program, Educational Leadership

=== catalog_june_2020_tagged.txt ===
School of Business:
School of Health:
School of Technology:
School of Education:
  - Bachelor of Arts, Elementary Education
  - Bachelor of Arts, Special Education and Elementary Education (Dual Licensure)
  - Bachelor of Arts, Special Education, Mild to Moderate
  - Bachelor of Science, Mathematics Education (Middle Grades)
  - Bachelor of Science, Mathematics Education (Secondary)
  - Bachelor of Science, Science Education (Middle Grades)
  - Bachelor of Science, Science Education (Secondary Biological Science)
  - Bachelor of Science, Science Education (Secondary Chemistry)
  - Bachelor of Science, Science Education (Secondary Earth Science)
  - Bachelor of Science, Science Education (Secondary Physics)
  - Master of Arts in Teaching, Elementary Education
  - Master of Arts in Teaching, English Education (Secondary)
  - Master of Arts in Teaching, Mathematics Education (Middle Grades)
  - Master of Arts in Teaching, Mathematics Education (Secondary)
  - Master of Arts in Teaching, Science Education (Secondary)
  - Master of Science, Curriculum and Instruction
  - Master of Science, Educational Leadership
  - Master of Arts, English Language Learning (PreK-12)
  - Master of Education, Instructional Design
  - Master of Education, Learning and Technology
  - Master of Arts, Mathematics Education (K-6)
  - Master of Arts in Mathematics Education (Middle Grades)
  - Master of Arts in Mathematics Education (Secondary)
  - Master of Arts Science Education (Middle Grades)
  - Master of Arts Science Education (Secondary Biological Science)
  - Master of Arts Science Education (Secondary Chemistry)
  - Master of Arts Science Education (Secondary Earth Science)
  - Master of Arts Science Education (Secondary Physics)
  - Endorsement Preparation Program, English Language Learning (PreK-12)
In [480]:
for f in legacy_files[:1]:
    with open(f, "r", encoding="utf-8") as file:
        lines = [line.strip() for line in file]
    lines = fix_lines_if_needed(lines, f)

    markers = []
    for idx, line in enumerate(lines):
        m = college_tag_pattern.match(line)
        if m:
            raw = m.group(1)
            name = map_college_name(raw)
            markers.append((idx, name))

    markers.append((len(lines), None))

    for (start, college_name), (end, _) in zip(markers[:-1], markers[1:]):
        parse_college(lines, start, end, college_name, debug=True)
📌 START COLLEGE: School of Business | Lines 2322 to 2754
  ➜ End description at © line 2753: '© Western Governors University Jul 19, 2017 73'
  ➜ College Description: 'Bachelor of Science, Business Management The Bachelor of Sci...'
  ➜ Parsing at 2753: '© Western Governors University Jul 19, 2017 73'

🔍 parse_program: starting at line 2753: '© Western Governors University Jul 19, 2017 73'
  ✔️ Using first copyright in block
  ⚠️ Reached end while looking for title.
📌 DONE COLLEGE: School of Business | Programs found: 0

📌 START COLLEGE: School of Health | Lines 2754 to 3187
  ➜ End description at © line 3186: '© Western Governors University Jul 19, 2017 86'
  ➜ College Description: 'Bachelor of Science, Nursing (Prelicensure) The prelicensure...'
  ➜ Parsing at 3186: '© Western Governors University Jul 19, 2017 86'

🔍 parse_program: starting at line 3186: '© Western Governors University Jul 19, 2017 86'
  ✔️ Using first copyright in block
  ⚠️ Reached end while looking for title.
📌 DONE COLLEGE: School of Health | Programs found: 0

📌 START COLLEGE: School of Technology | Lines 3187 to 3672
  ➜ End description at © line 3631: '© Western Governors University Jul 19, 2017 104'
  ➜ College Description: 'Bachelor of Science, Cybersecurity and Information Assurance...'
  ➜ Parsing at 3631: '© Western Governors University Jul 19, 2017 104'

🔍 parse_program: starting at line 3631: '© Western Governors University Jul 19, 2017 104'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: '5. Meet Any Additional State Certification Requirements'
  ➜ Skipping stray line: 'Some states have additional requirements for certification, such as coursework not included in your WGU program, CPR'
  ➜ Skipping stray line: 'certification, or workshops. The Teacher Licensure Department maintains information on individual state requirements.'
  ➜ Skipping stray line: 'Special Teachers College Program Requirements: Advanced Programs'
  ➜ Skipping stray line: 'http://www.wgu.edu/education/masters_degree'
  ➜ Skipping stray line: 'Certain Teachers College Graduate Programs have specific WGU and/or state-specific requirements, including all'
  ➜ Skipping stray line: 'Special Education, Mathematics Education, Science Education, English Language Learning, and Educational'
  ➜ Skipping stray line: 'Leadership programs. These requirements include:'
  ➜ Skipping stray line: '1. Pass a Background Check'
  ➜ Skipping stray line: 'WGU requires students in specified graduate programs to provide the university with verification of a cleared'
  ➜ Skipping stray line: 'background check prior to entering the classroom for any field experiences. Previously completed background checks'
  ➜ Skipping stray line: 'may not satisfy WGU background check requirements. In some states, more than one background check may be'
  ➜ Skipping stray line: 'required. In some cases, verification of a valid teaching certificate may satisfy the background check requirement.'
  ➜ Skipping stray line: 'Students should consult with the Field Experiences and Teacher Licensure Departments for more information on'
  ➜ Skipping stray line: 'background check requirements.'
  ➜ Skipping stray line: '2. Pass Content Exam(s)'
  ➜ Skipping stray line: 'WGU requires students to complete and pass:'
  ➜ Skipping stray line: '● WGU Program Exam: WGU requires you to pass a specific Praxis exam to graduate from your program, often in'
  ➜ Skipping stray line: 'addition to any certification exam required by your state.'
  ➜ Skipping stray line: '● Content Exam: If you plan to apply for an additional endorsement/certificate upon completion of your program, you'
  ➜ Skipping stray line: 'must pass the designated Content Exam(s) required by your state in order to graduate from your program.'
  ➜ Skipping stray line: 'Educational Leadership students must always pass the state required content exam to graduate, regardless of'
  ➜ Skipping stray line: 'whether or not they plan to apply for certification.'
  ➜ Skipping stray line: '3. Complete Field Experiences'
  ➜ Skipping stray line: 'Students in advanced programs complete a field experience or practicum, often as a culminating experience at the end'
  ➜ Skipping stray line: 'of the program. Field experiences vary by program and state. Minimum requirements at WGU include:'
  ➜ Skipping stray line: '● Mathematics Education and Science Education: Two-week* unit of instruction.'
  ➜ Skipping stray line: '● Special Education: 240-hour* practicum.'
  ➜ Skipping stray line: '● English Language Learning: 30-hour* practicum'
  ➜ Skipping stray line: '● Educational Leadership: 150-hour* practicum.'
  ➜ Skipping stray line: '* Some states may require additional hours beyond WGU’s minimum requirements. For example, some Educational'
  ➜ Skipping stray line: 'Leadership students may be required to complete 540 or more hours depending on state requirements. The Field'
  ➜ Skipping stray line: 'Experiences and Teacher Licensure Departments maintain information on current state requirements and detailed field'
  ➜ Skipping stray line: 'experience requirements by program.'
  ➜ Skipping stray line: '4. Meet Any Additional State Certification Requirements'
  ➜ Skipping stray line: 'Students who plan to seek an additional endorsement/certificate upon completion of their program may need to'
  ➜ Skipping stray line: 'complete additional state-specific requirements for certification, such as coursework not included in your WGU program,'
  ➜ Skipping stray line: 'CPR certification, or workshops. The Teacher Licensure Department maintains information on individual state'
  ➜ Skipping stray line: 'requirements.'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 105'
  ⚠️ Reached end while looking for title.
  ➜ Parsing at 3632: '5. Meet Any Additional State Certification Requirements'

🔍 parse_program: starting at line 3632: '5. Meet Any Additional State Certification Requirements'
  ➜ Title candidate: '5. Meet Any Additional State Certification Requirements'
  ❌ Invalid title line: '5. Meet Any Additional State Certification Requirements'
  ➜ Parsing at 3633: 'Some states have additional requirements for certification, such as coursework not included in your WGU program, CPR'

🔍 parse_program: starting at line 3633: 'Some states have additional requirements for certification, such as coursework not included in your WGU program, CPR'
  ➜ Title candidate: 'Some states have additional requirements for certification, such as coursework not included in your WGU program, CPR'
  ❌ Invalid title line: 'Some states have additional requirements for certification, such as coursework not included in your WGU program, CPR'
  ➜ Parsing at 3634: 'certification, or workshops. The Teacher Licensure Department maintains information on individual state requirements.'

🔍 parse_program: starting at line 3634: 'certification, or workshops. The Teacher Licensure Department maintains information on individual state requirements.'
  ➜ Title candidate: 'certification, or workshops. The Teacher Licensure Department maintains information on individual state requirements.'
  ❌ Invalid title line: 'certification, or workshops. The Teacher Licensure Department maintains information on individual state requirements.'
  ➜ Parsing at 3635: 'Special Teachers College Program Requirements: Advanced Programs'

🔍 parse_program: starting at line 3635: 'Special Teachers College Program Requirements: Advanced Programs'
  ➜ Title candidate: 'Special Teachers College Program Requirements: Advanced Programs'
  ❌ Invalid title line: 'Special Teachers College Program Requirements: Advanced Programs'
  ➜ Parsing at 3636: 'http://www.wgu.edu/education/masters_degree'

🔍 parse_program: starting at line 3636: 'http://www.wgu.edu/education/masters_degree'
  ➜ Title candidate: 'http://www.wgu.edu/education/masters_degree'
  ❌ Invalid title line: 'http://www.wgu.edu/education/masters_degree'
  ➜ Parsing at 3637: 'Certain Teachers College Graduate Programs have specific WGU and/or state-specific requirements, including all'

🔍 parse_program: starting at line 3637: 'Certain Teachers College Graduate Programs have specific WGU and/or state-specific requirements, including all'
  ➜ Title candidate: 'Certain Teachers College Graduate Programs have specific WGU and/or state-specific requirements, including all'
  ❌ Invalid title line: 'Certain Teachers College Graduate Programs have specific WGU and/or state-specific requirements, including all'
  ➜ Parsing at 3638: 'Special Education, Mathematics Education, Science Education, English Language Learning, and Educational'

🔍 parse_program: starting at line 3638: 'Special Education, Mathematics Education, Science Education, English Language Learning, and Educational'
  ➜ Title candidate: 'Special Education, Mathematics Education, Science Education, English Language Learning, and Educational'
  ❌ Invalid title line: 'Special Education, Mathematics Education, Science Education, English Language Learning, and Educational'
  ➜ Parsing at 3639: 'Leadership programs. These requirements include:'

🔍 parse_program: starting at line 3639: 'Leadership programs. These requirements include:'
  ➜ Title candidate: 'Leadership programs. These requirements include:'
  ❌ Invalid title line: 'Leadership programs. These requirements include:'
  ➜ Parsing at 3640: '1. Pass a Background Check'

🔍 parse_program: starting at line 3640: '1. Pass a Background Check'
  ➜ Title candidate: '1. Pass a Background Check'
  ❌ Invalid title line: '1. Pass a Background Check'
  ➜ Parsing at 3641: 'WGU requires students in specified graduate programs to provide the university with verification of a cleared'

🔍 parse_program: starting at line 3641: 'WGU requires students in specified graduate programs to provide the university with verification of a cleared'
  ➜ Title candidate: 'WGU requires students in specified graduate programs to provide the university with verification of a cleared'
  ❌ Invalid title line: 'WGU requires students in specified graduate programs to provide the university with verification of a cleared'
  ➜ Parsing at 3642: 'background check prior to entering the classroom for any field experiences. Previously completed background checks'

🔍 parse_program: starting at line 3642: 'background check prior to entering the classroom for any field experiences. Previously completed background checks'
  ➜ Title candidate: 'background check prior to entering the classroom for any field experiences. Previously completed background checks'
  ❌ Invalid title line: 'background check prior to entering the classroom for any field experiences. Previously completed background checks'
  ➜ Parsing at 3643: 'may not satisfy WGU background check requirements. In some states, more than one background check may be'

🔍 parse_program: starting at line 3643: 'may not satisfy WGU background check requirements. In some states, more than one background check may be'
  ➜ Title candidate: 'may not satisfy WGU background check requirements. In some states, more than one background check may be'
  ❌ Invalid title line: 'may not satisfy WGU background check requirements. In some states, more than one background check may be'
  ➜ Parsing at 3644: 'required. In some cases, verification of a valid teaching certificate may satisfy the background check requirement.'

🔍 parse_program: starting at line 3644: 'required. In some cases, verification of a valid teaching certificate may satisfy the background check requirement.'
  ➜ Title candidate: 'required. In some cases, verification of a valid teaching certificate may satisfy the background check requirement.'
  ❌ Invalid title line: 'required. In some cases, verification of a valid teaching certificate may satisfy the background check requirement.'
  ➜ Parsing at 3645: 'Students should consult with the Field Experiences and Teacher Licensure Departments for more information on'

🔍 parse_program: starting at line 3645: 'Students should consult with the Field Experiences and Teacher Licensure Departments for more information on'
  ➜ Title candidate: 'Students should consult with the Field Experiences and Teacher Licensure Departments for more information on'
  ❌ Invalid title line: 'Students should consult with the Field Experiences and Teacher Licensure Departments for more information on'
  ➜ Parsing at 3646: 'background check requirements.'

🔍 parse_program: starting at line 3646: 'background check requirements.'
  ➜ Title candidate: 'background check requirements.'
  ❌ Invalid title line: 'background check requirements.'
  ➜ Parsing at 3647: '2. Pass Content Exam(s)'

🔍 parse_program: starting at line 3647: '2. Pass Content Exam(s)'
  ➜ Title candidate: '2. Pass Content Exam(s)'
  ❌ Invalid title line: '2. Pass Content Exam(s)'
  ➜ Parsing at 3648: 'WGU requires students to complete and pass:'

🔍 parse_program: starting at line 3648: 'WGU requires students to complete and pass:'
  ➜ Title candidate: 'WGU requires students to complete and pass:'
  ❌ Invalid title line: 'WGU requires students to complete and pass:'
  ➜ Parsing at 3649: '● WGU Program Exam: WGU requires you to pass a specific Praxis exam to graduate from your program, often in'

🔍 parse_program: starting at line 3649: '● WGU Program Exam: WGU requires you to pass a specific Praxis exam to graduate from your program, often in'
  ➜ Title candidate: '● WGU Program Exam: WGU requires you to pass a specific Praxis exam to graduate from your program, often in'
  ❌ Invalid title line: '● WGU Program Exam: WGU requires you to pass a specific Praxis exam to graduate from your program, often in'
  ➜ Parsing at 3650: 'addition to any certification exam required by your state.'

🔍 parse_program: starting at line 3650: 'addition to any certification exam required by your state.'
  ➜ Title candidate: 'addition to any certification exam required by your state.'
  ❌ Invalid title line: 'addition to any certification exam required by your state.'
  ➜ Parsing at 3651: '● Content Exam: If you plan to apply for an additional endorsement/certificate upon completion of your program, you'

🔍 parse_program: starting at line 3651: '● Content Exam: If you plan to apply for an additional endorsement/certificate upon completion of your program, you'
  ➜ Title candidate: '● Content Exam: If you plan to apply for an additional endorsement/certificate upon completion of your program, you'
  ❌ Invalid title line: '● Content Exam: If you plan to apply for an additional endorsement/certificate upon completion of your program, you'
  ➜ Parsing at 3652: 'must pass the designated Content Exam(s) required by your state in order to graduate from your program.'

🔍 parse_program: starting at line 3652: 'must pass the designated Content Exam(s) required by your state in order to graduate from your program.'
  ➜ Title candidate: 'must pass the designated Content Exam(s) required by your state in order to graduate from your program.'
  ❌ Invalid title line: 'must pass the designated Content Exam(s) required by your state in order to graduate from your program.'
  ➜ Parsing at 3653: 'Educational Leadership students must always pass the state required content exam to graduate, regardless of'

🔍 parse_program: starting at line 3653: 'Educational Leadership students must always pass the state required content exam to graduate, regardless of'
  ➜ Title candidate: 'Educational Leadership students must always pass the state required content exam to graduate, regardless of'
  ❌ Invalid title line: 'Educational Leadership students must always pass the state required content exam to graduate, regardless of'
  ➜ Parsing at 3654: 'whether or not they plan to apply for certification.'

🔍 parse_program: starting at line 3654: 'whether or not they plan to apply for certification.'
  ➜ Title candidate: 'whether or not they plan to apply for certification.'
  ❌ Invalid title line: 'whether or not they plan to apply for certification.'
  ➜ Parsing at 3655: '3. Complete Field Experiences'

🔍 parse_program: starting at line 3655: '3. Complete Field Experiences'
  ➜ Title candidate: '3. Complete Field Experiences'
  ❌ Invalid title line: '3. Complete Field Experiences'
  ➜ Parsing at 3656: 'Students in advanced programs complete a field experience or practicum, often as a culminating experience at the end'

🔍 parse_program: starting at line 3656: 'Students in advanced programs complete a field experience or practicum, often as a culminating experience at the end'
  ➜ Title candidate: 'Students in advanced programs complete a field experience or practicum, often as a culminating experience at the end'
  ❌ Invalid title line: 'Students in advanced programs complete a field experience or practicum, often as a culminating experience at the end'
  ➜ Parsing at 3657: 'of the program. Field experiences vary by program and state. Minimum requirements at WGU include:'

🔍 parse_program: starting at line 3657: 'of the program. Field experiences vary by program and state. Minimum requirements at WGU include:'
  ➜ Title candidate: 'of the program. Field experiences vary by program and state. Minimum requirements at WGU include:'
  ❌ Invalid title line: 'of the program. Field experiences vary by program and state. Minimum requirements at WGU include:'
  ➜ Parsing at 3658: '● Mathematics Education and Science Education: Two-week* unit of instruction.'

🔍 parse_program: starting at line 3658: '● Mathematics Education and Science Education: Two-week* unit of instruction.'
  ➜ Title candidate: '● Mathematics Education and Science Education: Two-week* unit of instruction.'
  ❌ Invalid title line: '● Mathematics Education and Science Education: Two-week* unit of instruction.'
  ➜ Parsing at 3659: '● Special Education: 240-hour* practicum.'

🔍 parse_program: starting at line 3659: '● Special Education: 240-hour* practicum.'
  ➜ Title candidate: '● Special Education: 240-hour* practicum.'
  ❌ Invalid title line: '● Special Education: 240-hour* practicum.'
  ➜ Parsing at 3660: '● English Language Learning: 30-hour* practicum'

🔍 parse_program: starting at line 3660: '● English Language Learning: 30-hour* practicum'
  ➜ Title candidate: '● English Language Learning: 30-hour* practicum'
  ❌ Invalid title line: '● English Language Learning: 30-hour* practicum'
  ➜ Parsing at 3661: '● Educational Leadership: 150-hour* practicum.'

🔍 parse_program: starting at line 3661: '● Educational Leadership: 150-hour* practicum.'
  ➜ Title candidate: '● Educational Leadership: 150-hour* practicum.'
  ❌ Invalid title line: '● Educational Leadership: 150-hour* practicum.'
  ➜ Parsing at 3662: '* Some states may require additional hours beyond WGU’s minimum requirements. For example, some Educational'

🔍 parse_program: starting at line 3662: '* Some states may require additional hours beyond WGU’s minimum requirements. For example, some Educational'
  ➜ Title candidate: '* Some states may require additional hours beyond WGU’s minimum requirements. For example, some Educational'
  ❌ Invalid title line: '* Some states may require additional hours beyond WGU’s minimum requirements. For example, some Educational'
  ➜ Parsing at 3663: 'Leadership students may be required to complete 540 or more hours depending on state requirements. The Field'

🔍 parse_program: starting at line 3663: 'Leadership students may be required to complete 540 or more hours depending on state requirements. The Field'
  ➜ Title candidate: 'Leadership students may be required to complete 540 or more hours depending on state requirements. The Field'
  ❌ Invalid title line: 'Leadership students may be required to complete 540 or more hours depending on state requirements. The Field'
  ➜ Parsing at 3664: 'Experiences and Teacher Licensure Departments maintain information on current state requirements and detailed field'

🔍 parse_program: starting at line 3664: 'Experiences and Teacher Licensure Departments maintain information on current state requirements and detailed field'
  ➜ Title candidate: 'Experiences and Teacher Licensure Departments maintain information on current state requirements and detailed field'
  ❌ Invalid title line: 'Experiences and Teacher Licensure Departments maintain information on current state requirements and detailed field'
  ➜ Parsing at 3665: 'experience requirements by program.'

🔍 parse_program: starting at line 3665: 'experience requirements by program.'
  ➜ Title candidate: 'experience requirements by program.'
  ❌ Invalid title line: 'experience requirements by program.'
  ➜ Parsing at 3666: '4. Meet Any Additional State Certification Requirements'

🔍 parse_program: starting at line 3666: '4. Meet Any Additional State Certification Requirements'
  ➜ Title candidate: '4. Meet Any Additional State Certification Requirements'
  ❌ Invalid title line: '4. Meet Any Additional State Certification Requirements'
  ➜ Parsing at 3667: 'Students who plan to seek an additional endorsement/certificate upon completion of their program may need to'

🔍 parse_program: starting at line 3667: 'Students who plan to seek an additional endorsement/certificate upon completion of their program may need to'
  ➜ Title candidate: 'Students who plan to seek an additional endorsement/certificate upon completion of their program may need to'
  ❌ Invalid title line: 'Students who plan to seek an additional endorsement/certificate upon completion of their program may need to'
  ➜ Parsing at 3668: 'complete additional state-specific requirements for certification, such as coursework not included in your WGU program,'

🔍 parse_program: starting at line 3668: 'complete additional state-specific requirements for certification, such as coursework not included in your WGU program,'
  ➜ Title candidate: 'complete additional state-specific requirements for certification, such as coursework not included in your WGU program,'
  ❌ Invalid title line: 'complete additional state-specific requirements for certification, such as coursework not included in your WGU program,'
  ➜ Parsing at 3669: 'CPR certification, or workshops. The Teacher Licensure Department maintains information on individual state'

🔍 parse_program: starting at line 3669: 'CPR certification, or workshops. The Teacher Licensure Department maintains information on individual state'
  ➜ Title candidate: 'CPR certification, or workshops. The Teacher Licensure Department maintains information on individual state'
  ❌ Invalid title line: 'CPR certification, or workshops. The Teacher Licensure Department maintains information on individual state'
  ➜ Parsing at 3670: 'requirements.'

🔍 parse_program: starting at line 3670: 'requirements.'
  ➜ Title candidate: 'requirements.'
  ❌ Invalid title line: 'requirements.'
  ➜ Parsing at 3671: '© Western Governors University Jul 19, 2017 105'

🔍 parse_program: starting at line 3671: '© Western Governors University Jul 19, 2017 105'
  ✔️ Using first copyright in block
  ⚠️ Reached end while looking for title.
📌 DONE COLLEGE: School of Technology | Programs found: 0

📌 START COLLEGE: School of Education | Lines 3672 to 7593
  ➜ Found program title at 3673: 'Bachelor of Arts, Interdisciplinary Studies (K-8)' → end description
  ➜ College Description: '...'
  ➜ Parsing at 3673: 'Bachelor of Arts, Interdisciplinary Studies (K-8)'

🔍 parse_program: starting at line 3673: 'Bachelor of Arts, Interdisciplinary Studies (K-8)'
  ➜ Title candidate: 'Bachelor of Arts, Interdisciplinary Studies (K-8)'
  ✔️ Collected description (6 lines)
  ✔️ Found CCN header at line 3680: 'CCN Course Number Course Description CUs Term'
  ✔️ Found Total CUs footer at line 3735: 'Total CUs: 126'
  ✔️ Collected 54 course rows
    ✔️ Parsed 'Bachelor of Arts, Interdisciplinary Studies (K-8)'
  ➜ Parsing at 3736: 'BAISK8 201709 © Western Governors University 7/19/17 107'

🔍 parse_program: starting at line 3736: 'BAISK8 201709 © Western Governors University 7/19/17 107'
  ➜ Title candidate: 'BAISK8 201709 © Western Governors University 7/19/17 107'
  ❌ Invalid title line: 'BAISK8 201709 © Western Governors University 7/19/17 107'
  ➜ Parsing at 3737: 'Bachelor of Arts, Mathematics (5-9)'

🔍 parse_program: starting at line 3737: 'Bachelor of Arts, Mathematics (5-9)'
  ➜ Title candidate: 'Bachelor of Arts, Mathematics (5-9)'
  ✔️ Collected description (4 lines)
  ✔️ Found CCN header at line 3742: 'CCN Course Number Course Description CUs Term'
  ✔️ Found Total CUs footer at line 3791: 'Total CUs: 120'
  ✔️ Collected 48 course rows
    ✔️ Parsed 'Bachelor of Arts, Mathematics (5-9)'
  ➜ Parsing at 3792: 'BAMA9 201708 © Western Governors University 7/19/17 109'

🔍 parse_program: starting at line 3792: 'BAMA9 201708 © Western Governors University 7/19/17 109'
  ➜ Title candidate: 'BAMA9 201708 © Western Governors University 7/19/17 109'
  ❌ Invalid title line: 'BAMA9 201708 © Western Governors University 7/19/17 109'
  ➜ Parsing at 3793: 'Bachelor of Arts, Mathematics (5-12)'

🔍 parse_program: starting at line 3793: 'Bachelor of Arts, Mathematics (5-12)'
  ➜ Title candidate: 'Bachelor of Arts, Mathematics (5-12)'
  ✔️ Collected description (5 lines)
  ✔️ Found CCN header at line 3799: 'CCN Course Number Course Description CUs Term'
  ✔️ Found Total CUs footer at line 3854: 'Total CUs: 138'
  ✔️ Collected 54 course rows
    ✔️ Parsed 'Bachelor of Arts, Mathematics (5-12)'
  ➜ Parsing at 3855: 'BAMA12 201708 © Western Governors University 7/19/17 111'

🔍 parse_program: starting at line 3855: 'BAMA12 201708 © Western Governors University 7/19/17 111'
  ➜ Title candidate: 'BAMA12 201708 © Western Governors University 7/19/17 111'
  ❌ Invalid title line: 'BAMA12 201708 © Western Governors University 7/19/17 111'
  ➜ Parsing at 3856: 'Bachelor of Arts, Science (5-9)'

🔍 parse_program: starting at line 3856: 'Bachelor of Arts, Science (5-9)'
  ➜ Title candidate: 'Bachelor of Arts, Science (5-9)'
  ✔️ Collected description (5 lines)
  ✔️ Found CCN header at line 3862: 'CCN Course Number Course Description CUs Term'
  ✔️ Found Total CUs footer at line 3913: 'Total CUs: 124'
  ✔️ Collected 50 course rows
    ✔️ Parsed 'Bachelor of Arts, Science (5-9)'
  ➜ Parsing at 3914: 'BASC9 201709 © Western Governors University 7/19/17 113'

🔍 parse_program: starting at line 3914: 'BASC9 201709 © Western Governors University 7/19/17 113'
  ➜ Title candidate: 'BASC9 201709 © Western Governors University 7/19/17 113'
  ❌ Invalid title line: 'BASC9 201709 © Western Governors University 7/19/17 113'
  ➜ Parsing at 3915: 'Bachelor of Arts, Science (5-12, Bio)'

🔍 parse_program: starting at line 3915: 'Bachelor of Arts, Science (5-12, Bio)'
  ➜ Title candidate: 'Bachelor of Arts, Science (5-12, Bio)'
  ✔️ Collected description (5 lines)
  ✔️ Found CCN header at line 3921: 'CCN Course Number Course Description CUs Term'
  ✔️ Found Total CUs footer at line 3972: 'Total CUs: 125'
  ✔️ Collected 50 course rows
    ✔️ Parsed 'Bachelor of Arts, Science (5-12, Bio)'
  ➜ Parsing at 3973: 'BASCB12 201709 © Western Governors University 7/19/17 115'

🔍 parse_program: starting at line 3973: 'BASCB12 201709 © Western Governors University 7/19/17 115'
  ➜ Title candidate: 'BASCB12 201709 © Western Governors University 7/19/17 115'
  ❌ Invalid title line: 'BASCB12 201709 © Western Governors University 7/19/17 115'
  ➜ Parsing at 3974: 'Bachelor of Arts, Science (5-12, Chemistry)'

🔍 parse_program: starting at line 3974: 'Bachelor of Arts, Science (5-12, Chemistry)'
  ➜ Title candidate: 'Bachelor of Arts, Science (5-12, Chemistry)'
  ✔️ Collected description (5 lines)
  ✔️ Found CCN header at line 3980: 'CCN Course Number Course Description CUs Term'
  ✔️ Found Total CUs footer at line 4031: 'Total CUs: 122'
  ✔️ Collected 50 course rows
    ✔️ Parsed 'Bachelor of Arts, Science (5-12, Chemistry)'
  ➜ Parsing at 4032: 'BASCCH12 201709 © Western Governors University 7/19/17 117'

🔍 parse_program: starting at line 4032: 'BASCCH12 201709 © Western Governors University 7/19/17 117'
  ➜ Title candidate: 'BASCCH12 201709 © Western Governors University 7/19/17 117'
  ❌ Invalid title line: 'BASCCH12 201709 © Western Governors University 7/19/17 117'
  ➜ Parsing at 4033: 'Bachelor of Arts, Science (5-12, Geo)'

🔍 parse_program: starting at line 4033: 'Bachelor of Arts, Science (5-12, Geo)'
  ➜ Title candidate: 'Bachelor of Arts, Science (5-12, Geo)'
  ✔️ Collected description (5 lines)
  ✔️ Found CCN header at line 4039: 'CCN Course Number Course Description CUs Term'
  ✔️ Found Total CUs footer at line 4090: 'Total CUs: 127'
  ✔️ Collected 50 course rows
    ✔️ Parsed 'Bachelor of Arts, Science (5-12, Geo)'
  ➜ Parsing at 4091: 'BASCG12 201709 © Western Governors University 7/19/17 119'

🔍 parse_program: starting at line 4091: 'BASCG12 201709 © Western Governors University 7/19/17 119'
  ➜ Title candidate: 'BASCG12 201709 © Western Governors University 7/19/17 119'
  ❌ Invalid title line: 'BASCG12 201709 © Western Governors University 7/19/17 119'
  ➜ Parsing at 4092: 'Bachelor of Arts, Science (5-12, Physics)'

🔍 parse_program: starting at line 4092: 'Bachelor of Arts, Science (5-12, Physics)'
  ➜ Title candidate: 'Bachelor of Arts, Science (5-12, Physics)'
  ✔️ Collected description (5 lines)
  ✔️ Found CCN header at line 4098: 'CCN Course Number Course Description CUs Term'
  ✔️ Found Total CUs footer at line 4148: 'Total CUs: 123'
  ✔️ Collected 49 course rows
    ✔️ Parsed 'Bachelor of Arts, Science (5-12, Physics)'
  ➜ Parsing at 4149: 'BASCPH12 201709 © Western Governors University 7/19/17 121'

🔍 parse_program: starting at line 4149: 'BASCPH12 201709 © Western Governors University 7/19/17 121'
  ➜ Title candidate: 'BASCPH12 201709 © Western Governors University 7/19/17 121'
  ❌ Invalid title line: 'BASCPH12 201709 © Western Governors University 7/19/17 121'
  ➜ Parsing at 4150: 'Bachelor of Arts, Special Education'

🔍 parse_program: starting at line 4150: 'Bachelor of Arts, Special Education'
  ➜ Title candidate: 'Bachelor of Arts, Special Education'
  ✔️ Collected description (15 lines)
  ✔️ Found CCN header at line 4166: 'CCN Course Number Course Description CUs Term'
  ✔️ Found Total CUs footer at line 4231: 'Total CUs: 141'
  ✔️ Collected 64 course rows
    ✔️ Parsed 'Bachelor of Arts, Special Education'
  ➜ Parsing at 4232: 'BASP 201709 © Western Governors University 7/19/17 123'

🔍 parse_program: starting at line 4232: 'BASP 201709 © Western Governors University 7/19/17 123'
  ➜ Title candidate: 'BASP 201709 © Western Governors University 7/19/17 123'
  ❌ Invalid title line: 'BASP 201709 © Western Governors University 7/19/17 123'
  ➜ Parsing at 4233: 'Post-baccalaureate Teacher Preparation, Elementary Education (K-8)'

🔍 parse_program: starting at line 4233: 'Post-baccalaureate Teacher Preparation, Elementary Education (K-8)'
  ➜ Title candidate: 'Post-baccalaureate Teacher Preparation, Elementary Education (K-8)'
  ❌ Invalid title line: 'Post-baccalaureate Teacher Preparation, Elementary Education (K-8)'
  ➜ Parsing at 4234: 'The Post-Baccalaureate Teacher Preparation Elementary (K-8) program is a competency-based program that enables'

🔍 parse_program: starting at line 4234: 'The Post-Baccalaureate Teacher Preparation Elementary (K-8) program is a competency-based program that enables'
  ➜ Title candidate: 'The Post-Baccalaureate Teacher Preparation Elementary (K-8) program is a competency-based program that enables'
  ❌ Invalid title line: 'The Post-Baccalaureate Teacher Preparation Elementary (K-8) program is a competency-based program that enables'
  ➜ Parsing at 4235: 'teacher candidates to earn a K-8 teaching certificate online (except for the in-classroom component demonstration'

🔍 parse_program: starting at line 4235: 'teacher candidates to earn a K-8 teaching certificate online (except for the in-classroom component demonstration'
  ➜ Title candidate: 'teacher candidates to earn a K-8 teaching certificate online (except for the in-classroom component demonstration'
  ❌ Invalid title line: 'teacher candidates to earn a K-8 teaching certificate online (except for the in-classroom component demonstration'
  ➜ Parsing at 4236: 'teaching, and in-classroom field experiences prior to demonstration teaching). This program consists of three balanced'

🔍 parse_program: starting at line 4236: 'teaching, and in-classroom field experiences prior to demonstration teaching). This program consists of three balanced'
  ➜ Title candidate: 'teaching, and in-classroom field experiences prior to demonstration teaching). This program consists of three balanced'
  ❌ Invalid title line: 'teaching, and in-classroom field experiences prior to demonstration teaching). This program consists of three balanced'
  ➜ Parsing at 4237: 'areas of study, performance- and competency-based assessments, and the creation of a professional portfolio. The'

🔍 parse_program: starting at line 4237: 'areas of study, performance- and competency-based assessments, and the creation of a professional portfolio. The'
  ➜ Title candidate: 'areas of study, performance- and competency-based assessments, and the creation of a professional portfolio. The'
  ❌ Invalid title line: 'areas of study, performance- and competency-based assessments, and the creation of a professional portfolio. The'
  ➜ Parsing at 4238: 'program also includes an early field experience and a supervised teaching practicum in a real classroom and thus'

🔍 parse_program: starting at line 4238: 'program also includes an early field experience and a supervised teaching practicum in a real classroom and thus'
  ➜ Title candidate: 'program also includes an early field experience and a supervised teaching practicum in a real classroom and thus'
  ❌ Invalid title line: 'program also includes an early field experience and a supervised teaching practicum in a real classroom and thus'
  ➜ Parsing at 4239: 'prepares students for initial teacher licensure.'

🔍 parse_program: starting at line 4239: 'prepares students for initial teacher licensure.'
  ➜ Title candidate: 'prepares students for initial teacher licensure.'
  ❌ Invalid title line: 'prepares students for initial teacher licensure.'
  ➜ Parsing at 4240: 'CCN Course Number Course Description CUs Term'

🔍 parse_program: starting at line 4240: 'CCN Course Number Course Description CUs Term'
  ➜ Title candidate: 'CCN Course Number Course Description CUs Term'
  ❌ Invalid title line: 'CCN Course Number Course Description CUs Term'
  ➜ Parsing at 4241: 'EDUC 5006 C551 Foundational Perspectives of Education 2 1'

🔍 parse_program: starting at line 4241: 'EDUC 5006 C551 Foundational Perspectives of Education 2 1'
  ➜ Title candidate: 'EDUC 5006 C551 Foundational Perspectives of Education 2 1'
  ❌ Invalid title line: 'EDUC 5006 C551 Foundational Perspectives of Education 2 1'
  ➜ Parsing at 4242: 'MATH 5010 C682 Mathematics for Elementary Educators 3 1'

🔍 parse_program: starting at line 4242: 'MATH 5010 C682 Mathematics for Elementary Educators 3 1'
  ➜ Title candidate: 'MATH 5010 C682 Mathematics for Elementary Educators 3 1'
  ❌ Invalid title line: 'MATH 5010 C682 Mathematics for Elementary Educators 3 1'
  ➜ Parsing at 4243: 'EDUC 5007 C552 Psychology for Educators 2 1'

🔍 parse_program: starting at line 4243: 'EDUC 5007 C552 Psychology for Educators 2 1'
  ➜ Title candidate: 'EDUC 5007 C552 Psychology for Educators 2 1'
  ❌ Invalid title line: 'EDUC 5007 C552 Psychology for Educators 2 1'
  ➜ Parsing at 4244: 'EDUC 5310 C848 Fundamentals of Diversity, Inclusion, and Exceptional Learners 2 1'

🔍 parse_program: starting at line 4244: 'EDUC 5310 C848 Fundamentals of Diversity, Inclusion, and Exceptional Learners 2 1'
  ➜ Title candidate: 'EDUC 5310 C848 Fundamentals of Diversity, Inclusion, and Exceptional Learners 2 1'
  ❌ Invalid title line: 'EDUC 5310 C848 Fundamentals of Diversity, Inclusion, and Exceptional Learners 2 1'
  ➜ Parsing at 4245: 'EDUC 5008 C553 Classroom Management, Engagement, and Motivation 2 2'

🔍 parse_program: starting at line 4245: 'EDUC 5008 C553 Classroom Management, Engagement, and Motivation 2 2'
  ➜ Title candidate: 'EDUC 5008 C553 Classroom Management, Engagement, and Motivation 2 2'
  ❌ Invalid title line: 'EDUC 5008 C553 Classroom Management, Engagement, and Motivation 2 2'
  ➜ Parsing at 4246: 'EDUC 5009 C554 Educational Assessment 2 2'

🔍 parse_program: starting at line 4246: 'EDUC 5009 C554 Educational Assessment 2 2'
  ➜ Title candidate: 'EDUC 5009 C554 Educational Assessment 2 2'
  ❌ Invalid title line: 'EDUC 5009 C554 Educational Assessment 2 2'
  ➜ Parsing at 4247: 'EDUC 5220 C141 Instructional Planning and Presentation in Elementary'

🔍 parse_program: starting at line 4247: 'EDUC 5220 C141 Instructional Planning and Presentation in Elementary'
  ➜ Title candidate: 'EDUC 5220 C141 Instructional Planning and Presentation in Elementary'
  ❌ Invalid title line: 'EDUC 5220 C141 Instructional Planning and Presentation in Elementary'
  ➜ Parsing at 4248: 'Education'

🔍 parse_program: starting at line 4248: 'Education'
  ➜ Title candidate: 'Education'
  ❌ Invalid title line: 'Education'
  ➜ Parsing at 4249: '2 2'

🔍 parse_program: starting at line 4249: '2 2'
  ➜ Title candidate: '2 2'
  ❌ Invalid title line: '2 2'
  ➜ Parsing at 4250: 'EDUC 6207 C910 Elementary Reading Methods and Interventions 2 2'

🔍 parse_program: starting at line 4250: 'EDUC 6207 C910 Elementary Reading Methods and Interventions 2 2'
  ➜ Title candidate: 'EDUC 6207 C910 Elementary Reading Methods and Interventions 2 2'
  ❌ Invalid title line: 'EDUC 6207 C910 Elementary Reading Methods and Interventions 2 2'
  ➜ Parsing at 4251: 'EDUC 6380 C380 Language Arts Instruction and Intervention 2 3'

🔍 parse_program: starting at line 4251: 'EDUC 6380 C380 Language Arts Instruction and Intervention 2 3'
  ➜ Title candidate: 'EDUC 6380 C380 Language Arts Instruction and Intervention 2 3'
  ❌ Invalid title line: 'EDUC 6380 C380 Language Arts Instruction and Intervention 2 3'
  ➜ Parsing at 4252: 'EDUC 6203 C382 Elementary Science Methods 2 3'

🔍 parse_program: starting at line 4252: 'EDUC 6203 C382 Elementary Science Methods 2 3'
  ➜ Title candidate: 'EDUC 6203 C382 Elementary Science Methods 2 3'
  ❌ Invalid title line: 'EDUC 6203 C382 Elementary Science Methods 2 3'
  ➜ Parsing at 4253: 'EDUC 6202 C381 Elementary Mathematics Methods 2 3'

🔍 parse_program: starting at line 4253: 'EDUC 6202 C381 Elementary Mathematics Methods 2 3'
  ➜ Title candidate: 'EDUC 6202 C381 Elementary Mathematics Methods 2 3'
  ❌ Invalid title line: 'EDUC 6202 C381 Elementary Mathematics Methods 2 3'
  ➜ Parsing at 4254: 'EDUC 6709 DWP2 Application of Elementary Social Studies Methods 1 3'

🔍 parse_program: starting at line 4254: 'EDUC 6709 DWP2 Application of Elementary Social Studies Methods 1 3'
  ➜ Title candidate: 'EDUC 6709 DWP2 Application of Elementary Social Studies Methods 1 3'
  ❌ Invalid title line: 'EDUC 6709 DWP2 Application of Elementary Social Studies Methods 1 3'
  ➜ Parsing at 4255: 'EDUC 6711 DZP2 Application of Elementary Visual and Performing Arts Methods 1 3'

🔍 parse_program: starting at line 4255: 'EDUC 6711 DZP2 Application of Elementary Visual and Performing Arts Methods 1 3'
  ➜ Title candidate: 'EDUC 6711 DZP2 Application of Elementary Visual and Performing Arts Methods 1 3'
  ❌ Invalid title line: 'EDUC 6711 DZP2 Application of Elementary Visual and Performing Arts Methods 1 3'
  ➜ Parsing at 4256: 'EDUC 6713 EBP2 Application of Elementary Physical Education and Health'

🔍 parse_program: starting at line 4256: 'EDUC 6713 EBP2 Application of Elementary Physical Education and Health'
  ➜ Title candidate: 'EDUC 6713 EBP2 Application of Elementary Physical Education and Health'
  ❌ Invalid title line: 'EDUC 6713 EBP2 Application of Elementary Physical Education and Health'
  ➜ Parsing at 4257: 'Methods'

🔍 parse_program: starting at line 4257: 'Methods'
  ➜ Title candidate: 'Methods'
  ❌ Invalid title line: 'Methods'
  ➜ Parsing at 4258: '1 4'

🔍 parse_program: starting at line 4258: '1 4'
  ➜ Title candidate: '1 4'
  ❌ Invalid title line: '1 4'
  ➜ Parsing at 4259: 'EDUC 5277 C733 Elementary Disciplinary Literacy 3 4'

🔍 parse_program: starting at line 4259: 'EDUC 5277 C733 Elementary Disciplinary Literacy 3 4'
  ➜ Title candidate: 'EDUC 5277 C733 Elementary Disciplinary Literacy 3 4'
  ❌ Invalid title line: 'EDUC 5277 C733 Elementary Disciplinary Literacy 3 4'
  ➜ Parsing at 4260: 'EDUC 5302 C936 Preclinical Experiences in Elementary Education 2 4'

🔍 parse_program: starting at line 4260: 'EDUC 5302 C936 Preclinical Experiences in Elementary Education 2 4'
  ➜ Title candidate: 'EDUC 5302 C936 Preclinical Experiences in Elementary Education 2 4'
  ❌ Invalid title line: 'EDUC 5302 C936 Preclinical Experiences in Elementary Education 2 4'
  ➜ Parsing at 4261: 'EDUC 6921 C323 Supervised Demonstration Teaching in Elementary Education,'

🔍 parse_program: starting at line 4261: 'EDUC 6921 C323 Supervised Demonstration Teaching in Elementary Education,'
  ➜ Title candidate: 'EDUC 6921 C323 Supervised Demonstration Teaching in Elementary Education,'
  ❌ Invalid title line: 'EDUC 6921 C323 Supervised Demonstration Teaching in Elementary Education,'
  ➜ Parsing at 4262: 'Observations 1 and 2'

🔍 parse_program: starting at line 4262: 'Observations 1 and 2'
  ➜ Title candidate: 'Observations 1 and 2'
  ❌ Invalid title line: 'Observations 1 and 2'
  ➜ Parsing at 4263: '3 5'

🔍 parse_program: starting at line 4263: '3 5'
  ➜ Title candidate: '3 5'
  ❌ Invalid title line: '3 5'
  ➜ Parsing at 4264: 'EDUC 6922 C324 Supervised Demonstration Teaching in Elementary Education,'

🔍 parse_program: starting at line 4264: 'EDUC 6922 C324 Supervised Demonstration Teaching in Elementary Education,'
  ➜ Title candidate: 'EDUC 6922 C324 Supervised Demonstration Teaching in Elementary Education,'
  ❌ Invalid title line: 'EDUC 6922 C324 Supervised Demonstration Teaching in Elementary Education,'
  ➜ Parsing at 4265: 'Observation 3 and Midterm'

🔍 parse_program: starting at line 4265: 'Observation 3 and Midterm'
  ➜ Title candidate: 'Observation 3 and Midterm'
  ❌ Invalid title line: 'Observation 3 and Midterm'
  ➜ Parsing at 4266: '3 5'

🔍 parse_program: starting at line 4266: '3 5'
  ➜ Title candidate: '3 5'
  ❌ Invalid title line: '3 5'
  ➜ Parsing at 4267: 'EDUC 6923 C325 Supervised Demonstration Teaching in Elementary Education,'

🔍 parse_program: starting at line 4267: 'EDUC 6923 C325 Supervised Demonstration Teaching in Elementary Education,'
  ➜ Title candidate: 'EDUC 6923 C325 Supervised Demonstration Teaching in Elementary Education,'
  ❌ Invalid title line: 'EDUC 6923 C325 Supervised Demonstration Teaching in Elementary Education,'
  ➜ Parsing at 4268: 'Observations 4 and 5'

🔍 parse_program: starting at line 4268: 'Observations 4 and 5'
  ➜ Title candidate: 'Observations 4 and 5'
  ❌ Invalid title line: 'Observations 4 and 5'
  ➜ Parsing at 4269: '3 5'

🔍 parse_program: starting at line 4269: '3 5'
  ➜ Title candidate: '3 5'
  ❌ Invalid title line: '3 5'
  ➜ Parsing at 4270: 'EDUC 6924 C326 Supervised Demonstration Teaching in Elementary Education,'

🔍 parse_program: starting at line 4270: 'EDUC 6924 C326 Supervised Demonstration Teaching in Elementary Education,'
  ➜ Title candidate: 'EDUC 6924 C326 Supervised Demonstration Teaching in Elementary Education,'
  ❌ Invalid title line: 'EDUC 6924 C326 Supervised Demonstration Teaching in Elementary Education,'
  ➜ Parsing at 4271: 'Observation 6 and Final'

🔍 parse_program: starting at line 4271: 'Observation 6 and Final'
  ➜ Title candidate: 'Observation 6 and Final'
  ❌ Invalid title line: 'Observation 6 and Final'
  ➜ Parsing at 4272: '3 5'

🔍 parse_program: starting at line 4272: '3 5'
  ➜ Title candidate: '3 5'
  ❌ Invalid title line: '3 5'
  ➜ Parsing at 4273: 'EDUC 6751 C873 Teacher Performance Assessment in Elementary Education 1 5'

🔍 parse_program: starting at line 4273: 'EDUC 6751 C873 Teacher Performance Assessment in Elementary Education 1 5'
  ➜ Title candidate: 'EDUC 6751 C873 Teacher Performance Assessment in Elementary Education 1 5'
  ❌ Invalid title line: 'EDUC 6751 C873 Teacher Performance Assessment in Elementary Education 1 5'
  ➜ Parsing at 4274: 'EDUC 5255 C347 Professional Portfolio 1 5'

🔍 parse_program: starting at line 4274: 'EDUC 5255 C347 Professional Portfolio 1 5'
  ➜ Title candidate: 'EDUC 5255 C347 Professional Portfolio 1 5'
  ❌ Invalid title line: 'EDUC 5255 C347 Professional Portfolio 1 5'
  ➜ Parsing at 4275: 'EDUC 5253 C339 Cohort Seminar 1 5'

🔍 parse_program: starting at line 4275: 'EDUC 5253 C339 Cohort Seminar 1 5'
  ➜ Title candidate: 'EDUC 5253 C339 Cohort Seminar 1 5'
  ❌ Invalid title line: 'EDUC 5253 C339 Cohort Seminar 1 5'
  ➜ Parsing at 4276: 'Total CUs: 46'

🔍 parse_program: starting at line 4276: 'Total CUs: 46'
  ➜ Title candidate: 'Total CUs: 46'
  ❌ Invalid title line: 'Total CUs: 46'
  ➜ Parsing at 4277: 'PBELK8 201709 © Western Governors University 7/19/17 124'

🔍 parse_program: starting at line 4277: 'PBELK8 201709 © Western Governors University 7/19/17 124'
  ➜ Title candidate: 'PBELK8 201709 © Western Governors University 7/19/17 124'
  ❌ Invalid title line: 'PBELK8 201709 © Western Governors University 7/19/17 124'
  ➜ Parsing at 4278: 'Post-baccalaureate Teacher Preparation, Science (5-12)'

🔍 parse_program: starting at line 4278: 'Post-baccalaureate Teacher Preparation, Science (5-12)'
  ➜ Title candidate: 'Post-baccalaureate Teacher Preparation, Science (5-12)'
  ❌ Invalid title line: 'Post-baccalaureate Teacher Preparation, Science (5-12)'
  ➜ Parsing at 4279: 'The Post-Baccalaureate Teacher Preparation Program, Science (5-12) is a competency-based program that prepares'

🔍 parse_program: starting at line 4279: 'The Post-Baccalaureate Teacher Preparation Program, Science (5-12) is a competency-based program that prepares'
  ➜ Title candidate: 'The Post-Baccalaureate Teacher Preparation Program, Science (5-12) is a competency-based program that prepares'
  ❌ Invalid title line: 'The Post-Baccalaureate Teacher Preparation Program, Science (5-12) is a competency-based program that prepares'
  ➜ Parsing at 4280: 'students who have earned a baccalaureate degree to be licensed to teach science in grades 5-12. All work in this'

🔍 parse_program: starting at line 4280: 'students who have earned a baccalaureate degree to be licensed to teach science in grades 5-12. All work in this'
  ➜ Title candidate: 'students who have earned a baccalaureate degree to be licensed to teach science in grades 5-12. All work in this'
  ❌ Invalid title line: 'students who have earned a baccalaureate degree to be licensed to teach science in grades 5-12. All work in this'
  ➜ Parsing at 4281: 'degree program is online with the exception of the Demonstration Teaching and in-classroom field experience'

🔍 parse_program: starting at line 4281: 'degree program is online with the exception of the Demonstration Teaching and in-classroom field experience'
  ➜ Title candidate: 'degree program is online with the exception of the Demonstration Teaching and in-classroom field experience'
  ❌ Invalid title line: 'degree program is online with the exception of the Demonstration Teaching and in-classroom field experience'
  ➜ Parsing at 4282: 'components. Students enter this program with a substantial background in science and proceed through coursework in'

🔍 parse_program: starting at line 4282: 'components. Students enter this program with a substantial background in science and proceed through coursework in'
  ➜ Title candidate: 'components. Students enter this program with a substantial background in science and proceed through coursework in'
  ❌ Invalid title line: 'components. Students enter this program with a substantial background in science and proceed through coursework in'
  ➜ Parsing at 4283: 'Foundations of Teaching, Pedagogy, Science Education, Field Experiences, and Demonstration Teaching.'

🔍 parse_program: starting at line 4283: 'Foundations of Teaching, Pedagogy, Science Education, Field Experiences, and Demonstration Teaching.'
  ➜ Title candidate: 'Foundations of Teaching, Pedagogy, Science Education, Field Experiences, and Demonstration Teaching.'
  ❌ Invalid title line: 'Foundations of Teaching, Pedagogy, Science Education, Field Experiences, and Demonstration Teaching.'
  ➜ Parsing at 4284: 'CCN Course Number Course Description CUs Term'

🔍 parse_program: starting at line 4284: 'CCN Course Number Course Description CUs Term'
  ➜ Title candidate: 'CCN Course Number Course Description CUs Term'
  ❌ Invalid title line: 'CCN Course Number Course Description CUs Term'
  ➜ Parsing at 4285: 'EDUC 5006 C551 Foundational Perspectives of Education 2 1'

🔍 parse_program: starting at line 4285: 'EDUC 5006 C551 Foundational Perspectives of Education 2 1'
  ➜ Title candidate: 'EDUC 5006 C551 Foundational Perspectives of Education 2 1'
  ❌ Invalid title line: 'EDUC 5006 C551 Foundational Perspectives of Education 2 1'
  ➜ Parsing at 4286: 'EDUC 5007 C552 Psychology for Educators 2 1'

🔍 parse_program: starting at line 4286: 'EDUC 5007 C552 Psychology for Educators 2 1'
  ➜ Title candidate: 'EDUC 5007 C552 Psychology for Educators 2 1'
  ❌ Invalid title line: 'EDUC 5007 C552 Psychology for Educators 2 1'
  ➜ Parsing at 4287: 'EDUC 5310 C848 Fundamentals of Diversity, Inclusion, and Exceptional Learners 2 1'

🔍 parse_program: starting at line 4287: 'EDUC 5310 C848 Fundamentals of Diversity, Inclusion, and Exceptional Learners 2 1'
  ➜ Title candidate: 'EDUC 5310 C848 Fundamentals of Diversity, Inclusion, and Exceptional Learners 2 1'
  ❌ Invalid title line: 'EDUC 5310 C848 Fundamentals of Diversity, Inclusion, and Exceptional Learners 2 1'
  ➜ Parsing at 4288: 'EDUC 5008 C553 Classroom Management, Engagement, and Motivation 2 1'

🔍 parse_program: starting at line 4288: 'EDUC 5008 C553 Classroom Management, Engagement, and Motivation 2 1'
  ➜ Title candidate: 'EDUC 5008 C553 Classroom Management, Engagement, and Motivation 2 1'
  ❌ Invalid title line: 'EDUC 5008 C553 Classroom Management, Engagement, and Motivation 2 1'
  ➜ Parsing at 4289: 'EDUC 5009 C554 Educational Assessment 2 2'

🔍 parse_program: starting at line 4289: 'EDUC 5009 C554 Educational Assessment 2 2'
  ➜ Title candidate: 'EDUC 5009 C554 Educational Assessment 2 2'
  ❌ Invalid title line: 'EDUC 5009 C554 Educational Assessment 2 2'
  ➜ Parsing at 4290: 'EDUC 5222 C143 Instructional Planning and Presentation in Science 2 2'

🔍 parse_program: starting at line 4290: 'EDUC 5222 C143 Instructional Planning and Presentation in Science 2 2'
  ➜ Title candidate: 'EDUC 5222 C143 Instructional Planning and Presentation in Science 2 2'
  ❌ Invalid title line: 'EDUC 5222 C143 Instructional Planning and Presentation in Science 2 2'
  ➜ Parsing at 4291: 'EDUC 5409 C389 Science, Technology, and Society 2 2'

🔍 parse_program: starting at line 4291: 'EDUC 5409 C389 Science, Technology, and Society 2 2'
  ➜ Title candidate: 'EDUC 5409 C389 Science, Technology, and Society 2 2'
  ❌ Invalid title line: 'EDUC 5409 C389 Science, Technology, and Society 2 2'
  ➜ Parsing at 4292: 'EDUC 5304 C938 Preclinical Experiences in Science 2 2'

🔍 parse_program: starting at line 4292: 'EDUC 5304 C938 Preclinical Experiences in Science 2 2'
  ➜ Title candidate: 'EDUC 5304 C938 Preclinical Experiences in Science 2 2'
  ❌ Invalid title line: 'EDUC 5304 C938 Preclinical Experiences in Science 2 2'
  ➜ Parsing at 4293: 'EDUC 3276 C730 Secondary Reading Instruction and Interventions 3 3'

🔍 parse_program: starting at line 4293: 'EDUC 3276 C730 Secondary Reading Instruction and Interventions 3 3'
  ➜ Title candidate: 'EDUC 3276 C730 Secondary Reading Instruction and Interventions 3 3'
  ❌ Invalid title line: 'EDUC 3276 C730 Secondary Reading Instruction and Interventions 3 3'
  ➜ Parsing at 4294: 'EDUC 3275 C728 Secondary Disciplinary Literacy 3 3'

🔍 parse_program: starting at line 4294: 'EDUC 3275 C728 Secondary Disciplinary Literacy 3 3'
  ➜ Title candidate: 'EDUC 3275 C728 Secondary Disciplinary Literacy 3 3'
  ❌ Invalid title line: 'EDUC 3275 C728 Secondary Disciplinary Literacy 3 3'
  ➜ Parsing at 4295: 'EDUC 5041 C645 Science Methods 3 3'

🔍 parse_program: starting at line 4295: 'EDUC 5041 C645 Science Methods 3 3'
  ➜ Title candidate: 'EDUC 5041 C645 Science Methods 3 3'
  ❌ Invalid title line: 'EDUC 5041 C645 Science Methods 3 3'
  ➜ Parsing at 4296: 'EDUC 6942 C331 Supervised Demonstration Teaching in Science, Observations'

🔍 parse_program: starting at line 4296: 'EDUC 6942 C331 Supervised Demonstration Teaching in Science, Observations'
  ➜ Title candidate: 'EDUC 6942 C331 Supervised Demonstration Teaching in Science, Observations'
  ❌ Invalid title line: 'EDUC 6942 C331 Supervised Demonstration Teaching in Science, Observations'
  ➜ Parsing at 4297: '1 and 2'

🔍 parse_program: starting at line 4297: '1 and 2'
  ➜ Title candidate: '1 and 2'
  ❌ Invalid title line: '1 and 2'
  ➜ Parsing at 4298: '3 4'

🔍 parse_program: starting at line 4298: '3 4'
  ➜ Title candidate: '3 4'
  ❌ Invalid title line: '3 4'
  ➜ Parsing at 4299: 'EDUC 6943 C332 Supervised Demonstration Teaching in Science, Observation 3'

🔍 parse_program: starting at line 4299: 'EDUC 6943 C332 Supervised Demonstration Teaching in Science, Observation 3'
  ➜ Title candidate: 'EDUC 6943 C332 Supervised Demonstration Teaching in Science, Observation 3'
  ❌ Invalid title line: 'EDUC 6943 C332 Supervised Demonstration Teaching in Science, Observation 3'
  ➜ Parsing at 4300: 'and Midterm'

🔍 parse_program: starting at line 4300: 'and Midterm'
  ➜ Title candidate: 'and Midterm'
  ❌ Invalid title line: 'and Midterm'
  ➜ Parsing at 4301: '3 4'

🔍 parse_program: starting at line 4301: '3 4'
  ➜ Title candidate: '3 4'
  ❌ Invalid title line: '3 4'
  ➜ Parsing at 4302: 'EDUC 6944 C333 Supervised Demonstration Teaching in Science, Observations'

🔍 parse_program: starting at line 4302: 'EDUC 6944 C333 Supervised Demonstration Teaching in Science, Observations'
  ➜ Title candidate: 'EDUC 6944 C333 Supervised Demonstration Teaching in Science, Observations'
  ❌ Invalid title line: 'EDUC 6944 C333 Supervised Demonstration Teaching in Science, Observations'
  ➜ Parsing at 4303: '4 and 5'

🔍 parse_program: starting at line 4303: '4 and 5'
  ➜ Title candidate: '4 and 5'
  ❌ Invalid title line: '4 and 5'
  ➜ Parsing at 4304: '3 4'

🔍 parse_program: starting at line 4304: '3 4'
  ➜ Title candidate: '3 4'
  ❌ Invalid title line: '3 4'
  ➜ Parsing at 4305: 'EDUC 6945 C334 Supervised Demonstration Teaching in Science, Observation 6'

🔍 parse_program: starting at line 4305: 'EDUC 6945 C334 Supervised Demonstration Teaching in Science, Observation 6'
  ➜ Title candidate: 'EDUC 6945 C334 Supervised Demonstration Teaching in Science, Observation 6'
  ❌ Invalid title line: 'EDUC 6945 C334 Supervised Demonstration Teaching in Science, Observation 6'
  ➜ Parsing at 4306: 'and Final'

🔍 parse_program: starting at line 4306: 'and Final'
  ➜ Title candidate: 'and Final'
  ❌ Invalid title line: 'and Final'
  ➜ Parsing at 4307: '3 4'

🔍 parse_program: starting at line 4307: '3 4'
  ➜ Title candidate: '3 4'
  ❌ Invalid title line: '3 4'
  ➜ Parsing at 4308: 'EDUC 6903 C904 Teacher Performance Assessment in Science 1 4'

🔍 parse_program: starting at line 4308: 'EDUC 6903 C904 Teacher Performance Assessment in Science 1 4'
  ➜ Title candidate: 'EDUC 6903 C904 Teacher Performance Assessment in Science 1 4'
  ❌ Invalid title line: 'EDUC 6903 C904 Teacher Performance Assessment in Science 1 4'
  ➜ Parsing at 4309: 'EDUC 5255 C347 Professional Portfolio 1 4'

🔍 parse_program: starting at line 4309: 'EDUC 5255 C347 Professional Portfolio 1 4'
  ➜ Title candidate: 'EDUC 5255 C347 Professional Portfolio 1 4'
  ❌ Invalid title line: 'EDUC 5255 C347 Professional Portfolio 1 4'
  ➜ Parsing at 4310: 'EDUC 5253 C339 Cohort Seminar 1 4'

🔍 parse_program: starting at line 4310: 'EDUC 5253 C339 Cohort Seminar 1 4'
  ➜ Title candidate: 'EDUC 5253 C339 Cohort Seminar 1 4'
  ❌ Invalid title line: 'EDUC 5253 C339 Cohort Seminar 1 4'
  ➜ Parsing at 4311: 'Total CUs: 40'

🔍 parse_program: starting at line 4311: 'Total CUs: 40'
  ➜ Title candidate: 'Total CUs: 40'
  ❌ Invalid title line: 'Total CUs: 40'
  ➜ Parsing at 4312: 'PBSC12 201709 © Western Governors University 7/19/17 125'

🔍 parse_program: starting at line 4312: 'PBSC12 201709 © Western Governors University 7/19/17 125'
  ➜ Title candidate: 'PBSC12 201709 © Western Governors University 7/19/17 125'
  ❌ Invalid title line: 'PBSC12 201709 © Western Governors University 7/19/17 125'
  ➜ Parsing at 4313: 'Master of Arts in Teaching, Elementary Education (K-8)'

🔍 parse_program: starting at line 4313: 'Master of Arts in Teaching, Elementary Education (K-8)'
  ➜ Title candidate: 'Master of Arts in Teaching, Elementary Education (K-8)'
  ✔️ Collected description (7 lines)
  ✔️ Found CCN header at line 4321: 'CCN Course Number Course Description CUs Term'
  ✔️ Found Total CUs footer at line 4358: 'Total CUs: 48'
  ✔️ Collected 36 course rows
    ✔️ Parsed 'Master of Arts in Teaching, Elementary Education (K-8)'
  ➜ Parsing at 4359: 'MATELK8 201709 © Western Governors University 7/19/17 126'

🔍 parse_program: starting at line 4359: 'MATELK8 201709 © Western Governors University 7/19/17 126'
  ➜ Title candidate: 'MATELK8 201709 © Western Governors University 7/19/17 126'
  ❌ Invalid title line: 'MATELK8 201709 © Western Governors University 7/19/17 126'
  ➜ Parsing at 4360: 'Master of Arts in Teaching, English Education (5-12)'

🔍 parse_program: starting at line 4360: 'Master of Arts in Teaching, English Education (5-12)'
  ➜ Title candidate: 'Master of Arts in Teaching, English Education (5-12)'
  ✔️ Collected description (7 lines)
  ✔️ Found CCN header at line 4368: 'CCN Course Number Course Description CUs Term'
  ✔️ Found Total CUs footer at line 4395: 'Total CUs: 40'
  ✔️ Collected 26 course rows
    ✔️ Parsed 'Master of Arts in Teaching, English Education (5-12)'
  ➜ Parsing at 4396: 'MATENG12 201709 © Western Governors University 7/19/17 127'

🔍 parse_program: starting at line 4396: 'MATENG12 201709 © Western Governors University 7/19/17 127'
  ➜ Title candidate: 'MATENG12 201709 © Western Governors University 7/19/17 127'
  ❌ Invalid title line: 'MATENG12 201709 © Western Governors University 7/19/17 127'
  ➜ Parsing at 4397: 'Master of Arts in Teaching, Mathematics (5-9)'

🔍 parse_program: starting at line 4397: 'Master of Arts in Teaching, Mathematics (5-9)'
  ➜ Title candidate: 'Master of Arts in Teaching, Mathematics (5-9)'
  ✔️ Collected description (7 lines)
  ✔️ Found CCN header at line 4405: 'CCN Course Number Course Description CUs Term'
  ✔️ Found Total CUs footer at line 4434: 'Total CUs: 43'
  ✔️ Collected 28 course rows
    ✔️ Parsed 'Master of Arts in Teaching, Mathematics (5-9)'
  ➜ Parsing at 4435: 'MATMA9 201708 © Western Governors University 7/19/17 128'

🔍 parse_program: starting at line 4435: 'MATMA9 201708 © Western Governors University 7/19/17 128'
  ➜ Title candidate: 'MATMA9 201708 © Western Governors University 7/19/17 128'
  ❌ Invalid title line: 'MATMA9 201708 © Western Governors University 7/19/17 128'
  ➜ Parsing at 4436: 'Master of Arts in Teaching, Mathematics (5-12)'

🔍 parse_program: starting at line 4436: 'Master of Arts in Teaching, Mathematics (5-12)'
  ➜ Title candidate: 'Master of Arts in Teaching, Mathematics (5-12)'
  ✔️ Collected description (7 lines)
  ✔️ Found CCN header at line 4444: 'CCN Course Number Course Description CUs Term'
  ✔️ Found Total CUs footer at line 4475: 'Total CUs: 47'
  ✔️ Collected 30 course rows
    ✔️ Parsed 'Master of Arts in Teaching, Mathematics (5-12)'
  ➜ Parsing at 4476: 'MATMA12 201708 © Western Governors University 7/19/17 129'

🔍 parse_program: starting at line 4476: 'MATMA12 201708 © Western Governors University 7/19/17 129'
  ➜ Title candidate: 'MATMA12 201708 © Western Governors University 7/19/17 129'
  ❌ Invalid title line: 'MATMA12 201708 © Western Governors University 7/19/17 129'
  ➜ Parsing at 4477: 'Master of Arts in Teaching, Science (5-12)'

🔍 parse_program: starting at line 4477: 'Master of Arts in Teaching, Science (5-12)'
  ➜ Title candidate: 'Master of Arts in Teaching, Science (5-12)'
  ✔️ Collected description (6 lines)
  ✔️ Found CCN header at line 4484: 'CCN Course Number Course Description CUs Term'
  ✔️ Found Total CUs footer at line 4512: 'Total CUs: 42'
  ✔️ Collected 27 course rows
    ✔️ Parsed 'Master of Arts in Teaching, Science (5-12)'
  ➜ Parsing at 4513: 'MATSC12 201709 © Western Governors University 7/19/17 130'

🔍 parse_program: starting at line 4513: 'MATSC12 201709 © Western Governors University 7/19/17 130'
  ➜ Title candidate: 'MATSC12 201709 © Western Governors University 7/19/17 130'
  ❌ Invalid title line: 'MATSC12 201709 © Western Governors University 7/19/17 130'
  ➜ Parsing at 4514: 'Master of Science, Special Education'

🔍 parse_program: starting at line 4514: 'Master of Science, Special Education'
  ➜ Title candidate: 'Master of Science, Special Education'
  ✔️ Collected description (11 lines)
  ✔️ Found CCN header at line 4526: 'CCN Course Number Course Description CUs Term'
  ✔️ Found Total CUs footer at line 4545: 'Total CUs: 31'
  ✔️ Collected 18 course rows
    ✔️ Parsed 'Master of Science, Special Education'
  ➜ Parsing at 4546: 'MSSP 201504 © Western Governors University 7/19/17 131'

🔍 parse_program: starting at line 4546: 'MSSP 201504 © Western Governors University 7/19/17 131'
  ➜ Title candidate: 'MSSP 201504 © Western Governors University 7/19/17 131'
  ❌ Invalid title line: 'MSSP 201504 © Western Governors University 7/19/17 131'
  ➜ Parsing at 4547: 'Master of Science, Educational Leadership'

🔍 parse_program: starting at line 4547: 'Master of Science, Educational Leadership'
  ➜ Title candidate: 'Master of Science, Educational Leadership'
  ✔️ Collected description (8 lines)
  ✔️ Found CCN header at line 4556: 'CCN Course Number Course Description CUs Term'
  ✔️ Found Total CUs footer at line 4571: 'Total CUs: 40'
  ✔️ Collected 14 course rows
    ✔️ Parsed 'Master of Science, Educational Leadership'
  ➜ Parsing at 4572: 'MSEDL 201209 © Western Governors University 7/19/17 132'

🔍 parse_program: starting at line 4572: 'MSEDL 201209 © Western Governors University 7/19/17 132'
  ➜ Title candidate: 'MSEDL 201209 © Western Governors University 7/19/17 132'
  ❌ Invalid title line: 'MSEDL 201209 © Western Governors University 7/19/17 132'
  ➜ Parsing at 4573: 'Master of Arts, English Language Learning (PreK-12)'

🔍 parse_program: starting at line 4573: 'Master of Arts, English Language Learning (PreK-12)'
  ➜ Title candidate: 'Master of Arts, English Language Learning (PreK-12)'
  ✔️ Collected description (5 lines)
  ✔️ Found CCN header at line 4579: 'CCN Course Number Course Description CUs Term'
  ✔️ Found Total CUs footer at line 4591: 'Total CUs: 30'
  ✔️ Collected 11 course rows
    ✔️ Parsed 'Master of Arts, English Language Learning (PreK-12)'
  ➜ Parsing at 4592: 'MAELLP12 201501 © Western Governors University 7/19/17 133'

🔍 parse_program: starting at line 4592: 'MAELLP12 201501 © Western Governors University 7/19/17 133'
  ➜ Title candidate: 'MAELLP12 201501 © Western Governors University 7/19/17 133'
  ❌ Invalid title line: 'MAELLP12 201501 © Western Governors University 7/19/17 133'
  ➜ Parsing at 4593: 'Master of Arts, Mathematics Education (K-6)'

🔍 parse_program: starting at line 4593: 'Master of Arts, Mathematics Education (K-6)'
  ➜ Title candidate: 'Master of Arts, Mathematics Education (K-6)'
  ✔️ Collected description (4 lines)
  ✔️ Found CCN header at line 4598: 'CCN Course Number Course Description CUs Term'
  ✔️ Found Total CUs footer at line 4609: 'Total CUs: 30'
  ✔️ Collected 10 course rows
    ✔️ Parsed 'Master of Arts, Mathematics Education (K-6)'
  ➜ Parsing at 4610: 'MAMEK6 201504 © Western Governors University 7/19/17 134'

🔍 parse_program: starting at line 4610: 'MAMEK6 201504 © Western Governors University 7/19/17 134'
  ➜ Title candidate: 'MAMEK6 201504 © Western Governors University 7/19/17 134'
  ❌ Invalid title line: 'MAMEK6 201504 © Western Governors University 7/19/17 134'
  ➜ Parsing at 4611: 'Master of Arts, Mathematics Education (5-9)'

🔍 parse_program: starting at line 4611: 'Master of Arts, Mathematics Education (5-9)'
  ➜ Title candidate: 'Master of Arts, Mathematics Education (5-9)'
  ✔️ Collected description (5 lines)
  ✔️ Found CCN header at line 4617: 'CCN Course Number Course Description CUs Term'
  ✔️ Found Total CUs footer at line 4633: 'Total CUs: 30'
  ✔️ Collected 15 course rows
    ✔️ Parsed 'Master of Arts, Mathematics Education (5-9)'
  ➜ Parsing at 4634: 'MAME9 201708 © Western Governors University 7/19/17 135'

🔍 parse_program: starting at line 4634: 'MAME9 201708 © Western Governors University 7/19/17 135'
  ➜ Title candidate: 'MAME9 201708 © Western Governors University 7/19/17 135'
  ❌ Invalid title line: 'MAME9 201708 © Western Governors University 7/19/17 135'
  ➜ Parsing at 4635: 'Master of Arts, Mathematics Education (5-12)'

🔍 parse_program: starting at line 4635: 'Master of Arts, Mathematics Education (5-12)'
  ➜ Title candidate: 'Master of Arts, Mathematics Education (5-12)'
  ✔️ Collected description (5 lines)
  ✔️ Found CCN header at line 4641: 'CCN Course Number Course Description CUs Term'
  ✔️ Found Total CUs footer at line 4662: 'Total CUs: 39'
  ✔️ Collected 20 course rows
    ✔️ Parsed 'Master of Arts, Mathematics Education (5-12)'
  ➜ Parsing at 4663: 'MAME12 201708 © Western Governors University 7/19/17 136'

🔍 parse_program: starting at line 4663: 'MAME12 201708 © Western Governors University 7/19/17 136'
  ➜ Title candidate: 'MAME12 201708 © Western Governors University 7/19/17 136'
  ❌ Invalid title line: 'MAME12 201708 © Western Governors University 7/19/17 136'
  ➜ Parsing at 4664: 'Master of Arts, Science Education (5-9)'

🔍 parse_program: starting at line 4664: 'Master of Arts, Science Education (5-9)'
  ➜ Title candidate: 'Master of Arts, Science Education (5-9)'
  ✔️ Collected description (5 lines)
  ✔️ Found CCN header at line 4670: 'CCN Course Number Course Description CUs Term'
  ✔️ Found Total CUs footer at line 4684: 'Total CUs: 31'
  ✔️ Collected 13 course rows
    ✔️ Parsed 'Master of Arts, Science Education (5-9)'
  ➜ Parsing at 4685: 'MASE9 201709 © Western Governors University 7/19/17 137'

🔍 parse_program: starting at line 4685: 'MASE9 201709 © Western Governors University 7/19/17 137'
  ➜ Title candidate: 'MASE9 201709 © Western Governors University 7/19/17 137'
  ❌ Invalid title line: 'MASE9 201709 © Western Governors University 7/19/17 137'
  ➜ Parsing at 4686: 'Master of Arts, Science Education (5-12, Chemistry)'

🔍 parse_program: starting at line 4686: 'Master of Arts, Science Education (5-12, Chemistry)'
  ➜ Title candidate: 'Master of Arts, Science Education (5-12, Chemistry)'
  ✔️ Collected description (5 lines)
  ✔️ Found CCN header at line 4692: 'CCN Course Number Course Description CUs Term'
  ✔️ Found Total CUs footer at line 4708: 'Total CUs: 33'
  ✔️ Collected 15 course rows
    ✔️ Parsed 'Master of Arts, Science Education (5-12, Chemistry)'
  ➜ Parsing at 4709: 'MASECH12 201709 © Western Governors University 7/19/17 138'

🔍 parse_program: starting at line 4709: 'MASECH12 201709 © Western Governors University 7/19/17 138'
  ➜ Title candidate: 'MASECH12 201709 © Western Governors University 7/19/17 138'
  ❌ Invalid title line: 'MASECH12 201709 © Western Governors University 7/19/17 138'
  ➜ Parsing at 4710: 'Master of Arts, Science Education (5-12, Physics)'

🔍 parse_program: starting at line 4710: 'Master of Arts, Science Education (5-12, Physics)'
  ➜ Title candidate: 'Master of Arts, Science Education (5-12, Physics)'
  ✔️ Collected description (5 lines)
  ✔️ Found CCN header at line 4716: 'CCN Course Number Course Description CUs Term'
  ✔️ Found Total CUs footer at line 4730: 'Total CUs: 31'
  ✔️ Collected 13 course rows
    ✔️ Parsed 'Master of Arts, Science Education (5-12, Physics)'
  ➜ Parsing at 4731: 'MASEPH12 201709 © Western Governors University 7/19/17 139'

🔍 parse_program: starting at line 4731: 'MASEPH12 201709 © Western Governors University 7/19/17 139'
  ➜ Title candidate: 'MASEPH12 201709 © Western Governors University 7/19/17 139'
  ❌ Invalid title line: 'MASEPH12 201709 © Western Governors University 7/19/17 139'
  ➜ Parsing at 4732: 'Master of Arts, Science Education (5-12, Bio)'

🔍 parse_program: starting at line 4732: 'Master of Arts, Science Education (5-12, Bio)'
  ➜ Title candidate: 'Master of Arts, Science Education (5-12, Bio)'
  ✔️ Collected description (5 lines)
  ✔️ Found CCN header at line 4738: 'CCN Course Number Course Description CUs Term'
  ✔️ Found Total CUs footer at line 4752: 'Total CUs: 32'
  ✔️ Collected 13 course rows
    ✔️ Parsed 'Master of Arts, Science Education (5-12, Bio)'
  ➜ Parsing at 4753: 'MASEB12 201709 © Western Governors University 7/19/17 140'

🔍 parse_program: starting at line 4753: 'MASEB12 201709 © Western Governors University 7/19/17 140'
  ➜ Title candidate: 'MASEB12 201709 © Western Governors University 7/19/17 140'
  ❌ Invalid title line: 'MASEB12 201709 © Western Governors University 7/19/17 140'
  ➜ Parsing at 4754: 'Master of Arts, Science Education (5-12, Geo)'

🔍 parse_program: starting at line 4754: 'Master of Arts, Science Education (5-12, Geo)'
  ➜ Title candidate: 'Master of Arts, Science Education (5-12, Geo)'
  ✔️ Collected description (5 lines)
  ✔️ Found CCN header at line 4760: 'CCN Course Number Course Description CUs Term'
  ✔️ Found Total CUs footer at line 4774: 'Total CUs: 33'
  ✔️ Collected 13 course rows
    ✔️ Parsed 'Master of Arts, Science Education (5-12, Geo)'
  ➜ Parsing at 4775: 'MASEG12 201709 © Western Governors University 7/19/17 141'

🔍 parse_program: starting at line 4775: 'MASEG12 201709 © Western Governors University 7/19/17 141'
  ➜ Title candidate: 'MASEG12 201709 © Western Governors University 7/19/17 141'
  ❌ Invalid title line: 'MASEG12 201709 © Western Governors University 7/19/17 141'
  ➜ Parsing at 4776: 'Master of Education, Instructional Design'

🔍 parse_program: starting at line 4776: 'Master of Education, Instructional Design'
  ➜ Title candidate: 'Master of Education, Instructional Design'
  ✔️ Collected description (4 lines)
  ✔️ Found CCN header at line 4781: 'CCN Course Number Course Description CUs Term'
  ✔️ Found Total CUs footer at line 4795: 'Total CUs: 30'
  ✔️ Collected 13 course rows
    ✔️ Parsed 'Master of Education, Instructional Design'
  ➜ Parsing at 4796: 'MEDID 201504 © Western Governors University 7/19/17 142'

🔍 parse_program: starting at line 4796: 'MEDID 201504 © Western Governors University 7/19/17 142'
  ➜ Title candidate: 'MEDID 201504 © Western Governors University 7/19/17 142'
  ❌ Invalid title line: 'MEDID 201504 © Western Governors University 7/19/17 142'
  ➜ Parsing at 4797: 'Master of Education, Learning and Technology'

🔍 parse_program: starting at line 4797: 'Master of Education, Learning and Technology'
  ➜ Title candidate: 'Master of Education, Learning and Technology'
  ✔️ Collected description (4 lines)
  ✔️ Found CCN header at line 4802: 'CCN Course Number Course Description CUs Term'
  ✔️ Found Total CUs footer at line 4815: 'Total CUs: 30'
  ✔️ Collected 12 course rows
    ✔️ Parsed 'Master of Education, Learning and Technology'
  ➜ Parsing at 4816: 'MEDLT 201504 © Western Governors University 7/19/17 143'

🔍 parse_program: starting at line 4816: 'MEDLT 201504 © Western Governors University 7/19/17 143'
  ➜ Title candidate: 'MEDLT 201504 © Western Governors University 7/19/17 143'
  ❌ Invalid title line: 'MEDLT 201504 © Western Governors University 7/19/17 143'
  ➜ Parsing at 4817: 'Master of Science, Curriculum and Instruction'

🔍 parse_program: starting at line 4817: 'Master of Science, Curriculum and Instruction'
  ➜ Title candidate: 'Master of Science, Curriculum and Instruction'
  ✔️ Collected description (7 lines)
  ✔️ Found CCN header at line 4825: 'CCN Course Number Course Description CUs Term'
  ✔️ Found Total CUs footer at line 4839: 'Total CUs: 30'
  ✔️ Collected 13 course rows
    ✔️ Parsed 'Master of Science, Curriculum and Instruction'
  ➜ Parsing at 4840: 'MSCIN 201504 © Western Governors University 7/19/17 144'

🔍 parse_program: starting at line 4840: 'MSCIN 201504 © Western Governors University 7/19/17 144'
  ➜ Title candidate: 'MSCIN 201504 © Western Governors University 7/19/17 144'
  ❌ Invalid title line: 'MSCIN 201504 © Western Governors University 7/19/17 144'
  ➜ Parsing at 4841: 'Endorsement Preparation Program, Educational Leadership'

🔍 parse_program: starting at line 4841: 'Endorsement Preparation Program, Educational Leadership'
  ➜ Title candidate: 'Endorsement Preparation Program, Educational Leadership'
  ✔️ Collected description (7 lines)
  ✔️ Found CCN header at line 4849: 'CCN Course Number Course Description CUs Term'
  ✔️ Found Total CUs footer at line 4863: 'Total CUs: 37'
  ✔️ Collected 13 course rows
    ✔️ Parsed 'Endorsement Preparation Program, Educational Leadership'
  ➜ Parsing at 4864: 'ENDEDL 201209 © Western Governors University 7/19/17 145'

🔍 parse_program: starting at line 4864: 'ENDEDL 201209 © Western Governors University 7/19/17 145'
  ➜ Title candidate: 'ENDEDL 201209 © Western Governors University 7/19/17 145'
  ❌ Invalid title line: 'ENDEDL 201209 © Western Governors University 7/19/17 145'
  ➜ Parsing at 4865: 'Endorsement Preparation Program, English Language Learning (PreK-12)'

🔍 parse_program: starting at line 4865: 'Endorsement Preparation Program, English Language Learning (PreK-12)'
  ➜ Title candidate: 'Endorsement Preparation Program, English Language Learning (PreK-12)'
  ✔️ Collected description (3 lines)
  ✔️ Found CCN header at line 4869: 'CCN Course Number Course Description CUs Term'
  ✔️ Found Total CUs footer at line 4878: 'Total CUs: 25'
  ✔️ Collected 8 course rows
    ✔️ Parsed 'Endorsement Preparation Program, English Language Learning (PreK-12)'
  ➜ Parsing at 4879: 'ENDELL 201112 © Western Governors University 7/19/17 146'

🔍 parse_program: starting at line 4879: 'ENDELL 201112 © Western Governors University 7/19/17 146'
  ➜ Title candidate: 'ENDELL 201112 © Western Governors University 7/19/17 146'
  ❌ Invalid title line: 'ENDELL 201112 © Western Governors University 7/19/17 146'
  ➜ Parsing at 4880: 'Courses'

🔍 parse_program: starting at line 4880: 'Courses'
  ➜ Title candidate: 'Courses'
  ❌ Invalid title line: 'Courses'
  ➜ Parsing at 4881: 'ABV1 - Operating Systems - The 70-680 Microsoft Specialist exam tests the skills and knowledge necessary to implement and configure Windows 7'

🔍 parse_program: starting at line 4881: 'ABV1 - Operating Systems - The 70-680 Microsoft Specialist exam tests the skills and knowledge necessary to implement and configure Windows 7'
  ➜ Title candidate: 'ABV1 - Operating Systems - The 70-680 Microsoft Specialist exam tests the skills and knowledge necessary to implement and configure Windows 7'
  ❌ Invalid title line: 'ABV1 - Operating Systems - The 70-680 Microsoft Specialist exam tests the skills and knowledge necessary to implement and configure Windows 7'
  ➜ Parsing at 4882: 'computers, devices, users, and associated network and security resources. After passing this exam, you will hold credit toward either the MCSA or'

🔍 parse_program: starting at line 4882: 'computers, devices, users, and associated network and security resources. After passing this exam, you will hold credit toward either the MCSA or'
  ➜ Title candidate: 'computers, devices, users, and associated network and security resources. After passing this exam, you will hold credit toward either the MCSA or'
  ❌ Invalid title line: 'computers, devices, users, and associated network and security resources. After passing this exam, you will hold credit toward either the MCSA or'
  ➜ Parsing at 4883: 'MCSE certifications.'

🔍 parse_program: starting at line 4883: 'MCSE certifications.'
  ➜ Title candidate: 'MCSE certifications.'
  ❌ Invalid title line: 'MCSE certifications.'
  ➜ Parsing at 4884: 'AFT2 - Accreditation Audit - Accreditation Audit covers regulatory audits, resource assessment, quality improvement, patient care improvement,'

🔍 parse_program: starting at line 4884: 'AFT2 - Accreditation Audit - Accreditation Audit covers regulatory audits, resource assessment, quality improvement, patient care improvement,'
  ➜ Title candidate: 'AFT2 - Accreditation Audit - Accreditation Audit covers regulatory audits, resource assessment, quality improvement, patient care improvement,'
  ❌ Invalid title line: 'AFT2 - Accreditation Audit - Accreditation Audit covers regulatory audits, resource assessment, quality improvement, patient care improvement,'
  ➜ Parsing at 4885: 'organization plans, risk management, effective interaction, and compliance as evidenced during an accreditation audit.'

🔍 parse_program: starting at line 4885: 'organization plans, risk management, effective interaction, and compliance as evidenced during an accreditation audit.'
  ➜ Title candidate: 'organization plans, risk management, effective interaction, and compliance as evidenced during an accreditation audit.'
  ❌ Invalid title line: 'organization plans, risk management, effective interaction, and compliance as evidenced during an accreditation audit.'
  ➜ Parsing at 4886: 'AIT2 - Organic Chemistry - Organic Chemistry focuses on the study of compounds that contain carbon, much of which is learning how to organize'

🔍 parse_program: starting at line 4886: 'AIT2 - Organic Chemistry - Organic Chemistry focuses on the study of compounds that contain carbon, much of which is learning how to organize'
  ➜ Title candidate: 'AIT2 - Organic Chemistry - Organic Chemistry focuses on the study of compounds that contain carbon, much of which is learning how to organize'
  ❌ Invalid title line: 'AIT2 - Organic Chemistry - Organic Chemistry focuses on the study of compounds that contain carbon, much of which is learning how to organize'
  ➜ Parsing at 4887: 'and group organic compounds in order to predict their structure, behavior, and reactivity based on common bonds found within an organic compound.'

🔍 parse_program: starting at line 4887: 'and group organic compounds in order to predict their structure, behavior, and reactivity based on common bonds found within an organic compound.'
  ➜ Title candidate: 'and group organic compounds in order to predict their structure, behavior, and reactivity based on common bonds found within an organic compound.'
  ❌ Invalid title line: 'and group organic compounds in order to predict their structure, behavior, and reactivity based on common bonds found within an organic compound.'
  ➜ Parsing at 4888: 'AMT2 - Service Line Development - Service Line Development will address how to critically assess the competitive marketplace as well as the'

🔍 parse_program: starting at line 4888: 'AMT2 - Service Line Development - Service Line Development will address how to critically assess the competitive marketplace as well as the'
  ➜ Title candidate: 'AMT2 - Service Line Development - Service Line Development will address how to critically assess the competitive marketplace as well as the'
  ❌ Invalid title line: 'AMT2 - Service Line Development - Service Line Development will address how to critically assess the competitive marketplace as well as the'
  ➜ Parsing at 4889: 'internal environment to establish a new line of business. Topics include needs assessment, international healthcare trends, service line management,'

🔍 parse_program: starting at line 4889: 'internal environment to establish a new line of business. Topics include needs assessment, international healthcare trends, service line management,'
  ➜ Title candidate: 'internal environment to establish a new line of business. Topics include needs assessment, international healthcare trends, service line management,'
  ❌ Invalid title line: 'internal environment to establish a new line of business. Topics include needs assessment, international healthcare trends, service line management,'
  ➜ Parsing at 4890: 'revenue analysis, costs and productivity, communication, negotiation, health policy, health legislation, and facilities management, which are variables'

🔍 parse_program: starting at line 4890: 'revenue analysis, costs and productivity, communication, negotiation, health policy, health legislation, and facilities management, which are variables'
  ➜ Title candidate: 'revenue analysis, costs and productivity, communication, negotiation, health policy, health legislation, and facilities management, which are variables'
  ❌ Invalid title line: 'revenue analysis, costs and productivity, communication, negotiation, health policy, health legislation, and facilities management, which are variables'
  ➜ Parsing at 4891: 'in the evaluation process.'

🔍 parse_program: starting at line 4891: 'in the evaluation process.'
  ➜ Title candidate: 'in the evaluation process.'
  ❌ Invalid title line: 'in the evaluation process.'
  ➜ Parsing at 4892: 'AOA2 - Number Sense and Functions - Number Sense and Functions is a performance-based assessment that evaluates a student's portfolio of'

🔍 parse_program: starting at line 4892: 'AOA2 - Number Sense and Functions - Number Sense and Functions is a performance-based assessment that evaluates a student's portfolio of'
  ➜ Title candidate: 'AOA2 - Number Sense and Functions - Number Sense and Functions is a performance-based assessment that evaluates a student's portfolio of'
  ❌ Invalid title line: 'AOA2 - Number Sense and Functions - Number Sense and Functions is a performance-based assessment that evaluates a student's portfolio of'
  ➜ Parsing at 4893: 'work. This portfolio includes the student's responses to various prompts and an original lesson plan for each of the mathematics modules such as'

🔍 parse_program: starting at line 4893: 'work. This portfolio includes the student's responses to various prompts and an original lesson plan for each of the mathematics modules such as'
  ➜ Title candidate: 'work. This portfolio includes the student's responses to various prompts and an original lesson plan for each of the mathematics modules such as'
  ❌ Invalid title line: 'work. This portfolio includes the student's responses to various prompts and an original lesson plan for each of the mathematics modules such as'
  ➜ Parsing at 4894: 'number sense, patterns and functions, integers and order of operations, fractions, decimals, and percentages.'

🔍 parse_program: starting at line 4894: 'number sense, patterns and functions, integers and order of operations, fractions, decimals, and percentages.'
  ➜ Title candidate: 'number sense, patterns and functions, integers and order of operations, fractions, decimals, and percentages.'
  ❌ Invalid title line: 'number sense, patterns and functions, integers and order of operations, fractions, decimals, and percentages.'
  ➜ Parsing at 4895: 'ASA1 - Assessment Theory and Practice - Assessment Theory and Practice focuses on issues central to assessment in the ELL environment,'

🔍 parse_program: starting at line 4895: 'ASA1 - Assessment Theory and Practice - Assessment Theory and Practice focuses on issues central to assessment in the ELL environment,'
  ➜ Title candidate: 'ASA1 - Assessment Theory and Practice - Assessment Theory and Practice focuses on issues central to assessment in the ELL environment,'
  ❌ Invalid title line: 'ASA1 - Assessment Theory and Practice - Assessment Theory and Practice focuses on issues central to assessment in the ELL environment,'
  ➜ Parsing at 4896: 'including high-stakes testing, standardized tests, placement and exit assessment, formative and summative assessments, and making adaptations in'

🔍 parse_program: starting at line 4896: 'including high-stakes testing, standardized tests, placement and exit assessment, formative and summative assessments, and making adaptations in'
  ➜ Title candidate: 'including high-stakes testing, standardized tests, placement and exit assessment, formative and summative assessments, and making adaptations in'
  ❌ Invalid title line: 'including high-stakes testing, standardized tests, placement and exit assessment, formative and summative assessments, and making adaptations in'
  ➜ Parsing at 4897: 'assessments to meet the needs of ELL students.'

🔍 parse_program: starting at line 4897: 'assessments to meet the needs of ELL students.'
  ➜ Title candidate: 'assessments to meet the needs of ELL students.'
  ❌ Invalid title line: 'assessments to meet the needs of ELL students.'
  ➜ Parsing at 4898: 'ASC1 - Marketing Management Concepts - Marketing Management Concepts prepares students to learn core principles in marketing management.'

🔍 parse_program: starting at line 4898: 'ASC1 - Marketing Management Concepts - Marketing Management Concepts prepares students to learn core principles in marketing management.'
  ➜ Title candidate: 'ASC1 - Marketing Management Concepts - Marketing Management Concepts prepares students to learn core principles in marketing management.'
  ❌ Invalid title line: 'ASC1 - Marketing Management Concepts - Marketing Management Concepts prepares students to learn core principles in marketing management.'
  ➜ Parsing at 4899: 'Topics include a wide array of marketing management concepts such as the buyer decision process, segmenting markets, competitive advantage,'

🔍 parse_program: starting at line 4899: 'Topics include a wide array of marketing management concepts such as the buyer decision process, segmenting markets, competitive advantage,'
  ➜ Title candidate: 'Topics include a wide array of marketing management concepts such as the buyer decision process, segmenting markets, competitive advantage,'
  ❌ Invalid title line: 'Topics include a wide array of marketing management concepts such as the buyer decision process, segmenting markets, competitive advantage,'
  ➜ Parsing at 4900: 'product mix management theory, price policy, distribution strategy, and sales management. This course is completed in conjunction with AST1.'

🔍 parse_program: starting at line 4900: 'product mix management theory, price policy, distribution strategy, and sales management. This course is completed in conjunction with AST1.'
  ➜ Title candidate: 'product mix management theory, price policy, distribution strategy, and sales management. This course is completed in conjunction with AST1.'
  ❌ Invalid title line: 'product mix management theory, price policy, distribution strategy, and sales management. This course is completed in conjunction with AST1.'
  ➜ Parsing at 4901: 'AST1 - Marketing Management Tasks - Marketing Management Tasks is completed in conjunction with ASC1. Students apply concepts of marketing'

🔍 parse_program: starting at line 4901: 'AST1 - Marketing Management Tasks - Marketing Management Tasks is completed in conjunction with ASC1. Students apply concepts of marketing'
  ➜ Title candidate: 'AST1 - Marketing Management Tasks - Marketing Management Tasks is completed in conjunction with ASC1. Students apply concepts of marketing'
  ❌ Invalid title line: 'AST1 - Marketing Management Tasks - Marketing Management Tasks is completed in conjunction with ASC1. Students apply concepts of marketing'
  ➜ Parsing at 4902: 'management to specific activities designed to prepare students for real world scenarios. Topics include a wide array of marketing management'

🔍 parse_program: starting at line 4902: 'management to specific activities designed to prepare students for real world scenarios. Topics include a wide array of marketing management'
  ➜ Title candidate: 'management to specific activities designed to prepare students for real world scenarios. Topics include a wide array of marketing management'
  ❌ Invalid title line: 'management to specific activities designed to prepare students for real world scenarios. Topics include a wide array of marketing management'
  ➜ Parsing at 4903: 'concepts such as the buyer decision process, segmenting markets, competitive advantage, product mix management theory, price policy, distribution'

🔍 parse_program: starting at line 4903: 'concepts such as the buyer decision process, segmenting markets, competitive advantage, product mix management theory, price policy, distribution'
  ➜ Title candidate: 'concepts such as the buyer decision process, segmenting markets, competitive advantage, product mix management theory, price policy, distribution'
  ❌ Invalid title line: 'concepts such as the buyer decision process, segmenting markets, competitive advantage, product mix management theory, price policy, distribution'
  ➜ Parsing at 4904: 'strategy, and sales management.'

🔍 parse_program: starting at line 4904: 'strategy, and sales management.'
  ➜ Title candidate: 'strategy, and sales management.'
  ❌ Invalid title line: 'strategy, and sales management.'
  ➜ Parsing at 4905: 'AUA2 - Graphing, Proportional Reasoning and Equations/Inequalities - Graphing, Proportional Reasoning and Equations/Inequalities is a'

🔍 parse_program: starting at line 4905: 'AUA2 - Graphing, Proportional Reasoning and Equations/Inequalities - Graphing, Proportional Reasoning and Equations/Inequalities is a'
  ➜ Title candidate: 'AUA2 - Graphing, Proportional Reasoning and Equations/Inequalities - Graphing, Proportional Reasoning and Equations/Inequalities is a'
  ❌ Invalid title line: 'AUA2 - Graphing, Proportional Reasoning and Equations/Inequalities - Graphing, Proportional Reasoning and Equations/Inequalities is a'
  ➜ Parsing at 4906: 'performance-based assessment that evaluates a student's portfolio of work. This portfolio includes the student's responses to various prompts and an'

🔍 parse_program: starting at line 4906: 'performance-based assessment that evaluates a student's portfolio of work. This portfolio includes the student's responses to various prompts and an'
  ➜ Title candidate: 'performance-based assessment that evaluates a student's portfolio of work. This portfolio includes the student's responses to various prompts and an'
  ❌ Invalid title line: 'performance-based assessment that evaluates a student's portfolio of work. This portfolio includes the student's responses to various prompts and an'
  ➜ Parsing at 4907: 'original lesson plan for each of the mathematics modules such as coordinate pairs and graphing, ratios and proportional reasoning, and equations and'

🔍 parse_program: starting at line 4907: 'original lesson plan for each of the mathematics modules such as coordinate pairs and graphing, ratios and proportional reasoning, and equations and'
  ➜ Title candidate: 'original lesson plan for each of the mathematics modules such as coordinate pairs and graphing, ratios and proportional reasoning, and equations and'
  ❌ Invalid title line: 'original lesson plan for each of the mathematics modules such as coordinate pairs and graphing, ratios and proportional reasoning, and equations and'
  ➜ Parsing at 4908: 'inequalities.'

🔍 parse_program: starting at line 4908: 'inequalities.'
  ➜ Title candidate: 'inequalities.'
  ❌ Invalid title line: 'inequalities.'
  ➜ Parsing at 4909: 'AVA2 - Geometry and Statistics - Geometry and Statistics is a performance-based assessment that evaluates a student's portfolio of work. This'

🔍 parse_program: starting at line 4909: 'AVA2 - Geometry and Statistics - Geometry and Statistics is a performance-based assessment that evaluates a student's portfolio of work. This'
  ➜ Title candidate: 'AVA2 - Geometry and Statistics - Geometry and Statistics is a performance-based assessment that evaluates a student's portfolio of work. This'
  ❌ Invalid title line: 'AVA2 - Geometry and Statistics - Geometry and Statistics is a performance-based assessment that evaluates a student's portfolio of work. This'
  ➜ Parsing at 4910: 'portfolio includes the student's responses to various prompts and an original lesson plan for each of the mathematics modules such as geometry and'

🔍 parse_program: starting at line 4910: 'portfolio includes the student's responses to various prompts and an original lesson plan for each of the mathematics modules such as geometry and'
  ➜ Title candidate: 'portfolio includes the student's responses to various prompts and an original lesson plan for each of the mathematics modules such as geometry and'
  ❌ Invalid title line: 'portfolio includes the student's responses to various prompts and an original lesson plan for each of the mathematics modules such as geometry and'
  ➜ Parsing at 4911: 'measurement, statistics and probability.'

🔍 parse_program: starting at line 4911: 'measurement, statistics and probability.'
  ➜ Title candidate: 'measurement, statistics and probability.'
  ❌ Invalid title line: 'measurement, statistics and probability.'
  ➜ Parsing at 4912: 'BVT1 - Physical Chemistry - Physical Chemistry introduces the study of chemistry in terms of physical concepts. It includes thermodynamics,'

🔍 parse_program: starting at line 4912: 'BVT1 - Physical Chemistry - Physical Chemistry introduces the study of chemistry in terms of physical concepts. It includes thermodynamics,'
  ➜ Title candidate: 'BVT1 - Physical Chemistry - Physical Chemistry introduces the study of chemistry in terms of physical concepts. It includes thermodynamics,'
  ❌ Invalid title line: 'BVT1 - Physical Chemistry - Physical Chemistry introduces the study of chemistry in terms of physical concepts. It includes thermodynamics,'
  ➜ Parsing at 4913: 'reaction kinetics, chemical equilibrium, electrochemistry, and matter.'

🔍 parse_program: starting at line 4913: 'reaction kinetics, chemical equilibrium, electrochemistry, and matter.'
  ➜ Title candidate: 'reaction kinetics, chemical equilibrium, electrochemistry, and matter.'
  ❌ Invalid title line: 'reaction kinetics, chemical equilibrium, electrochemistry, and matter.'
  ➜ Parsing at 4914: 'BVT2 - Physical Chemistry - Physical Chemistry introduces the study of chemistry in terms of physical concepts. It includes thermodynamics,'

🔍 parse_program: starting at line 4914: 'BVT2 - Physical Chemistry - Physical Chemistry introduces the study of chemistry in terms of physical concepts. It includes thermodynamics,'
  ➜ Title candidate: 'BVT2 - Physical Chemistry - Physical Chemistry introduces the study of chemistry in terms of physical concepts. It includes thermodynamics,'
  ❌ Invalid title line: 'BVT2 - Physical Chemistry - Physical Chemistry introduces the study of chemistry in terms of physical concepts. It includes thermodynamics,'
  ➜ Parsing at 4915: 'reaction kinetics, chemical equilibrium, electrochemistry, and matter.'

🔍 parse_program: starting at line 4915: 'reaction kinetics, chemical equilibrium, electrochemistry, and matter.'
  ➜ Title candidate: 'reaction kinetics, chemical equilibrium, electrochemistry, and matter.'
  ❌ Invalid title line: 'reaction kinetics, chemical equilibrium, electrochemistry, and matter.'
  ➜ Parsing at 4916: 'BWT1 - Inorganic Chemistry - Inorganic Chemistry introduces the concepts of Inorganic chemistry—the branch of chemistry that studies the'

🔍 parse_program: starting at line 4916: 'BWT1 - Inorganic Chemistry - Inorganic Chemistry introduces the concepts of Inorganic chemistry—the branch of chemistry that studies the'
  ➜ Title candidate: 'BWT1 - Inorganic Chemistry - Inorganic Chemistry introduces the concepts of Inorganic chemistry—the branch of chemistry that studies the'
  ❌ Invalid title line: 'BWT1 - Inorganic Chemistry - Inorganic Chemistry introduces the concepts of Inorganic chemistry—the branch of chemistry that studies the'
  ➜ Parsing at 4917: 'properties and behavior of any compound avoiding a specific focus on carbon. It will focus on the three most important areas of inorganic chemistry:'

🔍 parse_program: starting at line 4917: 'properties and behavior of any compound avoiding a specific focus on carbon. It will focus on the three most important areas of inorganic chemistry:'
  ➜ Title candidate: 'properties and behavior of any compound avoiding a specific focus on carbon. It will focus on the three most important areas of inorganic chemistry:'
  ❌ Invalid title line: 'properties and behavior of any compound avoiding a specific focus on carbon. It will focus on the three most important areas of inorganic chemistry:'
  ➜ Parsing at 4918: 'the structure, properties, and reactions of various groups of inorganic compounds.'

🔍 parse_program: starting at line 4918: 'the structure, properties, and reactions of various groups of inorganic compounds.'
  ➜ Title candidate: 'the structure, properties, and reactions of various groups of inorganic compounds.'
  ❌ Invalid title line: 'the structure, properties, and reactions of various groups of inorganic compounds.'
  ➜ Parsing at 4919: 'BWT2 - Inorganic Chemistry - Inorganic Chemistry introduces the concepts of Inorganic chemistry—the branch of chemistry that studies the'

🔍 parse_program: starting at line 4919: 'BWT2 - Inorganic Chemistry - Inorganic Chemistry introduces the concepts of Inorganic chemistry—the branch of chemistry that studies the'
  ➜ Title candidate: 'BWT2 - Inorganic Chemistry - Inorganic Chemistry introduces the concepts of Inorganic chemistry—the branch of chemistry that studies the'
  ❌ Invalid title line: 'BWT2 - Inorganic Chemistry - Inorganic Chemistry introduces the concepts of Inorganic chemistry—the branch of chemistry that studies the'
  ➜ Parsing at 4920: 'properties and behavior of any compound avoiding a specific focus on carbon. It will focus on the three most important areas of inorganic chemistry:'

🔍 parse_program: starting at line 4920: 'properties and behavior of any compound avoiding a specific focus on carbon. It will focus on the three most important areas of inorganic chemistry:'
  ➜ Title candidate: 'properties and behavior of any compound avoiding a specific focus on carbon. It will focus on the three most important areas of inorganic chemistry:'
  ❌ Invalid title line: 'properties and behavior of any compound avoiding a specific focus on carbon. It will focus on the three most important areas of inorganic chemistry:'
  ➜ Parsing at 4921: 'the structure, properties, and reactions of various groups of inorganic compounds.'

🔍 parse_program: starting at line 4921: 'the structure, properties, and reactions of various groups of inorganic compounds.'
  ➜ Title candidate: 'the structure, properties, and reactions of various groups of inorganic compounds.'
  ❌ Invalid title line: 'the structure, properties, and reactions of various groups of inorganic compounds.'
  ➜ Parsing at 4922: 'BYT1 - Physics: Mechanics - Physics: Mechanics introduces foundational concepts of mechanics, including motion, gravitation, work and energy,'

🔍 parse_program: starting at line 4922: 'BYT1 - Physics: Mechanics - Physics: Mechanics introduces foundational concepts of mechanics, including motion, gravitation, work and energy,'
  ➜ Title candidate: 'BYT1 - Physics: Mechanics - Physics: Mechanics introduces foundational concepts of mechanics, including motion, gravitation, work and energy,'
  ❌ Invalid title line: 'BYT1 - Physics: Mechanics - Physics: Mechanics introduces foundational concepts of mechanics, including motion, gravitation, work and energy,'
  ➜ Parsing at 4923: 'momentum and collisions, rotational motion, static equilibrium, fluids, and oscillation.'

🔍 parse_program: starting at line 4923: 'momentum and collisions, rotational motion, static equilibrium, fluids, and oscillation.'
  ➜ Title candidate: 'momentum and collisions, rotational motion, static equilibrium, fluids, and oscillation.'
  ❌ Invalid title line: 'momentum and collisions, rotational motion, static equilibrium, fluids, and oscillation.'
  ➜ Parsing at 4924: 'BYT2 - Physics: Mechanics - Physics: Mechanics introduces foundational concepts of mechanics, including motion, gravitation, work and energy,'

🔍 parse_program: starting at line 4924: 'BYT2 - Physics: Mechanics - Physics: Mechanics introduces foundational concepts of mechanics, including motion, gravitation, work and energy,'
  ➜ Title candidate: 'BYT2 - Physics: Mechanics - Physics: Mechanics introduces foundational concepts of mechanics, including motion, gravitation, work and energy,'
  ❌ Invalid title line: 'BYT2 - Physics: Mechanics - Physics: Mechanics introduces foundational concepts of mechanics, including motion, gravitation, work and energy,'
  ➜ Parsing at 4925: 'momentum and collisions, rotational motion, static equilibrium, fluids, and oscillation.'

🔍 parse_program: starting at line 4925: 'momentum and collisions, rotational motion, static equilibrium, fluids, and oscillation.'
  ➜ Title candidate: 'momentum and collisions, rotational motion, static equilibrium, fluids, and oscillation.'
  ❌ Invalid title line: 'momentum and collisions, rotational motion, static equilibrium, fluids, and oscillation.'
  ➜ Parsing at 4926: 'BZT1 - Physics: Waves and Optics - Physics: Waves and Optics addresses foundational topics in the physics of waves and optics. Students will'

🔍 parse_program: starting at line 4926: 'BZT1 - Physics: Waves and Optics - Physics: Waves and Optics addresses foundational topics in the physics of waves and optics. Students will'
  ➜ Title candidate: 'BZT1 - Physics: Waves and Optics - Physics: Waves and Optics addresses foundational topics in the physics of waves and optics. Students will'
  ❌ Invalid title line: 'BZT1 - Physics: Waves and Optics - Physics: Waves and Optics addresses foundational topics in the physics of waves and optics. Students will'
  ➜ Parsing at 4927: 'study basic wave motion and then apply that knowledge to the study of sound and light with even further applications to optical instruments. They will'

🔍 parse_program: starting at line 4927: 'study basic wave motion and then apply that knowledge to the study of sound and light with even further applications to optical instruments. They will'
  ➜ Title candidate: 'study basic wave motion and then apply that knowledge to the study of sound and light with even further applications to optical instruments. They will'
  ❌ Invalid title line: 'study basic wave motion and then apply that knowledge to the study of sound and light with even further applications to optical instruments. They will'
  ➜ Parsing at 4928: 'also learn about thermodynamics and theories governing the physics of gases.'

🔍 parse_program: starting at line 4928: 'also learn about thermodynamics and theories governing the physics of gases.'
  ➜ Title candidate: 'also learn about thermodynamics and theories governing the physics of gases.'
  ❌ Invalid title line: 'also learn about thermodynamics and theories governing the physics of gases.'
  ➜ Parsing at 4929: 'BZT2 - Physics: Waves and Optics - Physics: Waves and Optics addresses foundational topics in the physics of waves and optics.Students will'

🔍 parse_program: starting at line 4929: 'BZT2 - Physics: Waves and Optics - Physics: Waves and Optics addresses foundational topics in the physics of waves and optics.Students will'
  ➜ Title candidate: 'BZT2 - Physics: Waves and Optics - Physics: Waves and Optics addresses foundational topics in the physics of waves and optics.Students will'
  ❌ Invalid title line: 'BZT2 - Physics: Waves and Optics - Physics: Waves and Optics addresses foundational topics in the physics of waves and optics.Students will'
  ➜ Parsing at 4930: 'study basic wave motion and then apply that knowledge to the study of sound and light with even further applications to optical instruments. They will'

🔍 parse_program: starting at line 4930: 'study basic wave motion and then apply that knowledge to the study of sound and light with even further applications to optical instruments. They will'
  ➜ Title candidate: 'study basic wave motion and then apply that knowledge to the study of sound and light with even further applications to optical instruments. They will'
  ❌ Invalid title line: 'study basic wave motion and then apply that knowledge to the study of sound and light with even further applications to optical instruments. They will'
  ➜ Parsing at 4931: 'also learn about thermodynamics and theories governing the physics of gases.'

🔍 parse_program: starting at line 4931: 'also learn about thermodynamics and theories governing the physics of gases.'
  ➜ Title candidate: 'also learn about thermodynamics and theories governing the physics of gases.'
  ❌ Invalid title line: 'also learn about thermodynamics and theories governing the physics of gases.'
  ➜ Parsing at 4932: 'C100 - Introduction to Humanities - This introductory humanities course allows students to practice essential writing, communication, and critical'

🔍 parse_program: starting at line 4932: 'C100 - Introduction to Humanities - This introductory humanities course allows students to practice essential writing, communication, and critical'
  ➜ Title candidate: 'C100 - Introduction to Humanities - This introductory humanities course allows students to practice essential writing, communication, and critical'
  ❌ Invalid title line: 'C100 - Introduction to Humanities - This introductory humanities course allows students to practice essential writing, communication, and critical'
  ➜ Parsing at 4933: 'thinking skills necessary to engage in civic and professional interactions as mature, informed adults. Whether through studying literature, visual and'

🔍 parse_program: starting at line 4933: 'thinking skills necessary to engage in civic and professional interactions as mature, informed adults. Whether through studying literature, visual and'
  ➜ Title candidate: 'thinking skills necessary to engage in civic and professional interactions as mature, informed adults. Whether through studying literature, visual and'
  ❌ Invalid title line: 'thinking skills necessary to engage in civic and professional interactions as mature, informed adults. Whether through studying literature, visual and'
  ➜ Parsing at 4934: 'performing arts, or philosophy, all humanities courses stress the need to form reasoned, analytical, and articulate responses to cultural and creative'

🔍 parse_program: starting at line 4934: 'performing arts, or philosophy, all humanities courses stress the need to form reasoned, analytical, and articulate responses to cultural and creative'
  ➜ Title candidate: 'performing arts, or philosophy, all humanities courses stress the need to form reasoned, analytical, and articulate responses to cultural and creative'
  ❌ Invalid title line: 'performing arts, or philosophy, all humanities courses stress the need to form reasoned, analytical, and articulate responses to cultural and creative'
  ➜ Parsing at 4935: 'works. Studying a wide variety of creative works allows students to more effectively enter the global community with a broad and enlightened'

🔍 parse_program: starting at line 4935: 'works. Studying a wide variety of creative works allows students to more effectively enter the global community with a broad and enlightened'
  ➜ Title candidate: 'works. Studying a wide variety of creative works allows students to more effectively enter the global community with a broad and enlightened'
  ❌ Invalid title line: 'works. Studying a wide variety of creative works allows students to more effectively enter the global community with a broad and enlightened'
  ➜ Parsing at 4936: 'perspective.'

🔍 parse_program: starting at line 4936: 'perspective.'
  ➜ Title candidate: 'perspective.'
  ❌ Invalid title line: 'perspective.'
  ➜ Parsing at 4937: 'C104 - Elementary Social Studies Methods - Elementary Social Studies Methods helps students learn how to implement effective social studies'

🔍 parse_program: starting at line 4937: 'C104 - Elementary Social Studies Methods - Elementary Social Studies Methods helps students learn how to implement effective social studies'
  ➜ Title candidate: 'C104 - Elementary Social Studies Methods - Elementary Social Studies Methods helps students learn how to implement effective social studies'
  ❌ Invalid title line: 'C104 - Elementary Social Studies Methods - Elementary Social Studies Methods helps students learn how to implement effective social studies'
  ➜ Parsing at 4938: 'instruction in the elementary classroom. Topics include social studies themes, promoting cultural diversity, integrated social studies across the'

🔍 parse_program: starting at line 4938: 'instruction in the elementary classroom. Topics include social studies themes, promoting cultural diversity, integrated social studies across the'
  ➜ Title candidate: 'instruction in the elementary classroom. Topics include social studies themes, promoting cultural diversity, integrated social studies across the'
  ❌ Invalid title line: 'instruction in the elementary classroom. Topics include social studies themes, promoting cultural diversity, integrated social studies across the'
  ➜ Parsing at 4939: 'curriculum, social studies learning environments, assessing social studies understanding, differentiated instruction for social studies, technology for'

🔍 parse_program: starting at line 4939: 'curriculum, social studies learning environments, assessing social studies understanding, differentiated instruction for social studies, technology for'
  ➜ Title candidate: 'curriculum, social studies learning environments, assessing social studies understanding, differentiated instruction for social studies, technology for'
  ❌ Invalid title line: 'curriculum, social studies learning environments, assessing social studies understanding, differentiated instruction for social studies, technology for'
  ➜ Parsing at 4940: 'social studies instruction, and standards-based social studies instruction.'

🔍 parse_program: starting at line 4940: 'social studies instruction, and standards-based social studies instruction.'
  ➜ Title candidate: 'social studies instruction, and standards-based social studies instruction.'
  ❌ Invalid title line: 'social studies instruction, and standards-based social studies instruction.'
  ➜ Parsing at 4941: 'C105 - Elementary Visual and Performing Arts Methods - Elementary Visual and Performing Arts Methods helps students learn how to implement'

🔍 parse_program: starting at line 4941: 'C105 - Elementary Visual and Performing Arts Methods - Elementary Visual and Performing Arts Methods helps students learn how to implement'
  ➜ Title candidate: 'C105 - Elementary Visual and Performing Arts Methods - Elementary Visual and Performing Arts Methods helps students learn how to implement'
  ❌ Invalid title line: 'C105 - Elementary Visual and Performing Arts Methods - Elementary Visual and Performing Arts Methods helps students learn how to implement'
  ➜ Parsing at 4942: 'effective visual and performing arts instruction in the elementary classroom. Topics include integrating arts across the curriculum, music education,'

🔍 parse_program: starting at line 4942: 'effective visual and performing arts instruction in the elementary classroom. Topics include integrating arts across the curriculum, music education,'
  ➜ Title candidate: 'effective visual and performing arts instruction in the elementary classroom. Topics include integrating arts across the curriculum, music education,'
  ❌ Invalid title line: 'effective visual and performing arts instruction in the elementary classroom. Topics include integrating arts across the curriculum, music education,'
  ➜ Parsing at 4943: 'visual arts, dance and movement, dramatic arts, differentiated instruction for visual and performing arts, and promoting cultural diversity through visual'

🔍 parse_program: starting at line 4943: 'visual arts, dance and movement, dramatic arts, differentiated instruction for visual and performing arts, and promoting cultural diversity through visual'
  ➜ Title candidate: 'visual arts, dance and movement, dramatic arts, differentiated instruction for visual and performing arts, and promoting cultural diversity through visual'
  ❌ Invalid title line: 'visual arts, dance and movement, dramatic arts, differentiated instruction for visual and performing arts, and promoting cultural diversity through visual'
  ➜ Parsing at 4944: 'and performing arts instruction.'

🔍 parse_program: starting at line 4944: 'and performing arts instruction.'
  ➜ Title candidate: 'and performing arts instruction.'
  ❌ Invalid title line: 'and performing arts instruction.'
  ➜ Parsing at 4945: 'C107 - Anatomy and Physiology I - Anatomy and Physiology I examines the structures and functions of the human body. The course is designed to'

🔍 parse_program: starting at line 4945: 'C107 - Anatomy and Physiology I - Anatomy and Physiology I examines the structures and functions of the human body. The course is designed to'
  ➜ Title candidate: 'C107 - Anatomy and Physiology I - Anatomy and Physiology I examines the structures and functions of the human body. The course is designed to'
  ❌ Invalid title line: 'C107 - Anatomy and Physiology I - Anatomy and Physiology I examines the structures and functions of the human body. The course is designed to'
  ➜ Parsing at 4946: 'provide students with a thorough understanding of human anatomy and physiology, including the interdependent operational relationships among'

🔍 parse_program: starting at line 4946: 'provide students with a thorough understanding of human anatomy and physiology, including the interdependent operational relationships among'
  ➜ Title candidate: 'provide students with a thorough understanding of human anatomy and physiology, including the interdependent operational relationships among'
  ❌ Invalid title line: 'provide students with a thorough understanding of human anatomy and physiology, including the interdependent operational relationships among'
  ➜ Parsing at 4947: 'them. Students will use a dissection lab to study organ systems of the human body in their healthy state including the digestive, skeletal, sensory,'

🔍 parse_program: starting at line 4947: 'them. Students will use a dissection lab to study organ systems of the human body in their healthy state including the digestive, skeletal, sensory,'
  ➜ Title candidate: 'them. Students will use a dissection lab to study organ systems of the human body in their healthy state including the digestive, skeletal, sensory,'
  ❌ Invalid title line: 'them. Students will use a dissection lab to study organ systems of the human body in their healthy state including the digestive, skeletal, sensory,'
  ➜ Parsing at 4948: 'respiratory, reproductive, nervous, muscular, cardiovascular, lymphatic, integumentary, endocrine and renal systems. By examining these organ'

🔍 parse_program: starting at line 4948: 'respiratory, reproductive, nervous, muscular, cardiovascular, lymphatic, integumentary, endocrine and renal systems. By examining these organ'
  ➜ Title candidate: 'respiratory, reproductive, nervous, muscular, cardiovascular, lymphatic, integumentary, endocrine and renal systems. By examining these organ'
  ❌ Invalid title line: 'respiratory, reproductive, nervous, muscular, cardiovascular, lymphatic, integumentary, endocrine and renal systems. By examining these organ'
  ➜ Parsing at 4949: 'systems in a healthy state, healthcare professionals are more adept to recognize when a something is functioning abnormally, which is a key'

🔍 parse_program: starting at line 4949: 'systems in a healthy state, healthcare professionals are more adept to recognize when a something is functioning abnormally, which is a key'
  ➜ Title candidate: 'systems in a healthy state, healthcare professionals are more adept to recognize when a something is functioning abnormally, which is a key'
  ❌ Invalid title line: 'systems in a healthy state, healthcare professionals are more adept to recognize when a something is functioning abnormally, which is a key'
  ➜ Parsing at 4950: 'component to providing effective care to patients. For nursing students this is the first of two anatomy and physiology courses within the program of'

🔍 parse_program: starting at line 4950: 'component to providing effective care to patients. For nursing students this is the first of two anatomy and physiology courses within the program of'
  ➜ Title candidate: 'component to providing effective care to patients. For nursing students this is the first of two anatomy and physiology courses within the program of'
  ❌ Invalid title line: 'component to providing effective care to patients. For nursing students this is the first of two anatomy and physiology courses within the program of'
  ➜ Parsing at 4951: 'study. This course has no pre-requisites.'

🔍 parse_program: starting at line 4951: 'study. This course has no pre-requisites.'
  ➜ Title candidate: 'study. This course has no pre-requisites.'
  ❌ Invalid title line: 'study. This course has no pre-requisites.'
  ➜ Parsing at 4952: '© Western Governors University 7/19/17 147'

🔍 parse_program: starting at line 4952: '© Western Governors University 7/19/17 147'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'C108 - Elementary Science Methods - Elementary Science Methods helps students learn how to implement effective science instruction in the'
  ➜ Skipping stray line: 'elementary classroom. Topics include processes of science, science inquiry, science learning environments, instructional strategies for science,'
  ➜ Skipping stray line: 'differentiated instruction for science, assessing science understanding, technology for science instruction, standards based science instruction,'
  ➜ Skipping stray line: 'integrating science across curriculum, and science beyond the classroom.'
  ➜ Skipping stray line: 'C109 - Elementary Mathematics Methods - Elementary Mathematics Methods helps students learn how to implement effective math instruction in'
  ➜ Skipping stray line: 'the elementary classroom. Topics include differentiated math instruction, mathematical communication, mathematical tools for instruction, assessing'
  ➜ Skipping stray line: 'math understanding, integrating math across the curriculum, critical thinking development, standards based math instruction, and mathematical'
  ➜ Skipping stray line: 'models and representation.'
  ➜ Skipping stray line: 'C113 - Instructional Planning and Presentation in Mathematics - Students will continue to build instructional planning skills with a focus on'
  ➜ Skipping stray line: 'selecting appropriate materials for diverse learners, selecting age and ability appropriate strategies for the content areas, promoting critical thinking,'
  ➜ Skipping stray line: 'and establishing both short and long term goals.'
  ➜ Skipping stray line: 'C121 - Survey of United States History - This course presents a broad and thematic survey of U.S. history from European colonization to the mid-'
  ➜ Skipping stray line: 'twentieth century. Students will explore how historical events and major themes in American history have affected a diverse population.'
  ➜ Skipping stray line: 'C128 - Advanced Professional Roles and Values - The Advanced Professional Roles and Values course bridges the undergraduate nurse to higher'
  ➜ Skipping stray line: 'level knowledge and accountability by examining roles of advanced professional practice. Current issues, professional and personal values, and'
  ➜ Skipping stray line: 'ethical issues are examined along with scholarship and advanced practice roles.'
  ➜ Skipping stray line: 'C132 - Elements of Effective Communication - Elements of Effective Communication introduces learners to elements of communication that are'
  ➜ Skipping stray line: 'valued in college and beyond. Materials are based on five principles: being aware of your communication with yourself and others; using and'
  ➜ Skipping stray line: 'interpreting verbal messages effectively; using and interpreting nonverbal messages effectively; listening and responding thoughtfully to others, and'
  ➜ Skipping stray line: 'adapting messages to others appropriately.'
  ➜ Skipping stray line: 'C133 - Instructional Planning and Presentation in Elementary and Special Education - Instructional Planning and Presentation assists students'
  ➜ Skipping stray line: 'as they continue to build instructional planning skills. Topics include unit and lesson planning, instructional presentation strategies, assessment,'
  ➜ Skipping stray line: 'engagement, integration of learning across the curriculum, effective grouping strategies, technology in the classroom, and using data to inform'
  ➜ Skipping stray line: 'instruction.'
  ➜ Skipping stray line: 'C141 - Instructional Planning and Presentation in Elementary Education - Instructional Planning and Presentation assists students as they'
  ➜ Skipping stray line: 'continue to build instructional planning skills. Topics include unit and lesson planning, instructional presentation strategies, assessment, engagement,'
  ➜ Skipping stray line: 'integration of learning across the curriculum, effective grouping strategies, technology in the classroom, and using data to inform instruction.'
  ➜ Skipping stray line: 'C142 - Instructional Planning and Presentation in Mathematics - Instructional Planning and Presentation assists students as they continue to build'
  ➜ Skipping stray line: 'instructional planning skills. Topics include unit and lesson planning, instructional presentation strategies, assessment, engagement, integration of'
  ➜ Skipping stray line: 'learning across the curriculum, effective grouping strategies, technology in the classroom, and using data to inform instruction.'
  ➜ Skipping stray line: 'C143 - Instructional Planning and Presentation in Science - Instructional Planning and Presentation assists students as they continue to build'
  ➜ Skipping stray line: 'instructional planning skills. Topics include unit and lesson planning, instructional presentation strategies, assessment, engagement, integration of'
  ➜ Skipping stray line: 'learning across the curriculum, effective grouping strategies, technology in the classroom, and using data to inform instruction.'
  ➜ Skipping stray line: 'C155 - Pathopharmacological Foundations for Advanced Nursing Practice - In Pathopharmacological Foundations for Advanced Nursing'
  ➜ Skipping stray line: 'Practice, students will gain application skills by examining syndromes rather than looking at body systems independently. The course includes'
  ➜ Skipping stray line: 'pathophysiologies, the associated pharmacological treatments, and social and environmental impacts Pathopharmacological Foundations for'
  ➜ Skipping stray line: 'Advanced Nursing Practice is an integrated examination of five common and important disease processes:'
  ➜ Skipping stray line: '• asthma'
  ➜ Skipping stray line: '• heart failure'
  ➜ Skipping stray line: '• obesity'
  ➜ Skipping stray line: '• traumatic brain injury'
  ➜ Skipping stray line: '• depression'
  ➜ Skipping stray line: 'These processes are relevant to advanced nursing practice because of their prevalence and impact on the healthcare system and the health of the'
  ➜ Skipping stray line: 'nation.'
  ➜ Skipping stray line: 'C157 - Essentials of Advanced Nursing Practice Field Experience - The Essentials of Advanced Nursing Practice Field Experience course gives'
  ➜ Skipping stray line: 'you an opportunity to apply leadership knowledge to evaluate a healthcare facility and then recommend an organizational change to improve'
  ➜ Skipping stray line: 'population health. In this course you will integrate and apply your learning in a clinical experience working with a nurse leader. You will demonstrate'
  ➜ Skipping stray line: 'and document the following skills:'
  ➜ Skipping stray line: '• lead change to improve quality health in populations'
  ➜ Skipping stray line: '• advance a culture of excellence through lifelong learning'
  ➜ Skipping stray line: '• build and lead collaborative interprofessional care teams'
  ➜ Skipping stray line: '• navigate and integrate care services across the healthcare system'
  ➜ Skipping stray line: '• design innovative nursing practices'
  ➜ Skipping stray line: '• translate evidence into practice'
  ➜ Skipping stray line: 'C158 - Organizational Leadership and Interprofessional Team Development - This graduate-level course builds on baccalaureate-level leadership'
  ➜ Skipping stray line: 'knowledge to develop application skills in complex healthcare environments with diverse teams. Graduates will develop knowledge and competencies'
  ➜ Skipping stray line: 'in the following areas:'
  ➜ Skipping stray line: '• leadership theory'
  ➜ Skipping stray line: '• systems and complexity theory'
  ➜ Skipping stray line: '• advanced communication'
  ➜ Skipping stray line: '• building consensus'
  ➜ Skipping stray line: 'Knowledge, skills, and abilities related to creating cultures of safety and leading quality improvement are key parts of this course and of contemporary'
  ➜ Skipping stray line: 'leadership. Most importantly, students will develop and establish deep understanding of leadership roles within organizations, a central theme in the'
  ➜ Skipping stray line: 'course. Upon successful completion of this course, Students will demonstrate:'
  ➜ Skipping stray line: '• critical decision making, critical analysis, and visionary thinking to lead and affect positive healthcare environments;'
  ➜ Skipping stray line: '• the ability to build consensus and communicate a compelling vision that facilitates teamwork.'
  ➜ Skipping stray line: 'C159 - Policy, Politics, and Global Health Trends - Social, political, and economic factors influence policies that impact health outcomes in acute'
  ➜ Skipping stray line: 'care settings in communities, nationally and globally. Nurse leaders need to understand the determinants of health as well as how legal and regulatory'
  ➜ Skipping stray line: 'processes, healthcare finances, research, the role of professional organizations, and special interest groups/lobbyists impact health outcomes.This'
  ➜ Skipping stray line: 'course provides a framework for understanding the organization of healthcare delivery and financing systems in the U.S. and other nations. It'
  ➜ Skipping stray line: 'addresses how policies are made and factors that influence policies at local, national, and global levels that impact health/wellness and the nursing'
  ➜ Skipping stray line: 'profession. The roles of values, ethical theories, stakeholder interests, research, and recent legislation related to health policy and health outcomes'
  ➜ Skipping stray line: 'will be explored. The nurse leader will gain expertise in effecting change through active participation in influencing or developing policies that impact'
  ➜ Skipping stray line: 'health.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 148'
  ➜ Skipping stray line: 'C160 - Facilitating Learning in the 21st Century - This course applies traditional learning theories in contemporary nursing practice, using 21st-'
  ➜ Skipping stray line: 'century educational paradigms. Students will examine and experiment with various educational ideas including: nursing curricula development,'
  ➜ Skipping stray line: 'facilitated learner development and diversity, assessment and evaluation strategies of learners, and evaluation of course and program outcomes.'
  ➜ Skipping stray line: 'C161 - Principles of Organizational Performance Management - This is the first specialization course in the nursing leadership and management'
  ➜ Skipping stray line: 'track. Building on core coursework in the master’s program, future nurse leaders examine the roles, responsibilities, and expectations of managers in'
  ➜ Skipping stray line: 'maximizing productivity and performance in healthcare organizations. They will explore leadership issues, including how to build and motivate a team,'
  ➜ Skipping stray line: 'organize staff development (including legal and ethical issues), and budget resources and time. This course encourages future nurse leaders to'
  ➜ Skipping stray line: 'examine administration from a systems perspective, relying on evidence to inform their practice.'
  ➜ Skipping stray line: 'C162 - Principles of Healthcare Business and Financial Management - Business and financial healthcare practices have a significant impact on'
  ➜ Skipping stray line: 'organizational outcomes. In this course, future nurse leaders examine scarce resources, financial principles, and tools for financial and business'
  ➜ Skipping stray line: 'management. They will also use financial budgeting and management practices and analyze the impact of regulations on the current healthcare'
  ➜ Skipping stray line: 'environment.'
  ➜ Skipping stray line: 'C163 - Strategic Leadership and Future Delivery Models - This graduate-level course emphasizes strategic leadership in healthcare, focusing on'
  ➜ Skipping stray line: 'the trends and directions in the industry and the future of healthcare delivery. Future nurse leaders will have the opportunity to explore how the'
  ➜ Skipping stray line: 'strategic planning processes incorporates healthcare trends and the evolution of healthcare systems, methods and concepts in strategic leadership,'
  ➜ Skipping stray line: 'and the ever-changing technology in healthcare.'
  ➜ Skipping stray line: 'C164 - Introduction to Physics - This course provides students with a comprehensive overview of the basic principles and unifying concepts of'
  ➜ Skipping stray line: 'physics. Students will integrate conceptual knowledge with practical and laboratory skills. The primary audience of this course are IT majors with focus'
  ➜ Skipping stray line: 'on application. The course contains interactives, reading materials, and laboratory application to help students develop a broad understanding of the'
  ➜ Skipping stray line: 'practical applications of scientific concepts. Instructional content is enhanced by e-interactives and laboratory activities that will give students hands on'
  ➜ Skipping stray line: 'knowledge and experience. Focus of materials are on why science is important to everyday life, practical application, and conceptual understanding.'
  ➜ Skipping stray line: 'The quantitative aspects of physics will be explored as they relate to modern problems and challeges of the everyday world. Asynchronous and cohort'
  ➜ Skipping stray line: 'experiences may be part of the learning experience in which community will support the educational process.'
  ➜ Skipping stray line: 'C165 - Integrated Physical Sciences - This course provides students with an overview of the basic principles and unifying ideas of the physical'
  ➜ Skipping stray line: 'sciences: physics, chemistry, and Earth sciences. Course materials focus on scientific reasoning and practical and everyday applications of physical'
  ➜ Skipping stray line: 'science concepts to help students integrate conceptual knowledge with practical skills.'
  ➜ Skipping stray line: 'C168 - Critical Thinking and Logic - Reasoning and Problem Solving helps students internalize a systematic process for exploring issues that takes'
  ➜ Skipping stray line: 'them beyond an unexamined point of view and encourages them to become more self-aware thinkers by applying principles of problem identification'
  ➜ Skipping stray line: 'and clarification, planning and information gathering, identifying assumptions and values, analysis and interpretation of information and data, reaching'
  ➜ Skipping stray line: 'well-founded conclusions, and identifying the role of critical thinking in the disciplines and professions.'
  ➜ Skipping stray line: 'C169 - Scripting and Programming - Applications - This course provides an introduction to programming. It covers data structures, algorithms, and'
  ➜ Skipping stray line: 'programming paradigms. It presents the concept of an object as well as the object-oriented paradigm and its importance. A survey of languages is'
  ➜ Skipping stray line: 'covered and the distinction between interpreted and compiled languages is introduced.'
  ➜ Skipping stray line: 'C170 - Data Management - Applications - This course covers conceptual data modeling and provides an introduction to MySQL. Students will learn'
  ➜ Skipping stray line: 'how to create simple to complex SELECT queries including subqueries and joins, and will also learn how to use SQL to update and delete data.'
  ➜ Skipping stray line: 'Topics covered in this course include exposure to MySQL; developing physical schemas; creating and modifying databases, tables, views, foreign'
  ➜ Skipping stray line: 'keys/primary keys (FKs/PKs), and indexes; populating tables; and developing simple Select-From-Where (SFW) queries to complex 3+ table join'
  ➜ Skipping stray line: 'queries.'
  ➜ Skipping stray line: 'C172 - Network and Security - Foundations - Network and Security - Foundations introduces students to the components of a computer network'
  ➜ Skipping stray line: 'and the concept and role of communication protocols. The course will cover widely used categorical classifications of networks (i.e. LAN, MAN, WAN,'
  ➜ Skipping stray line: 'PAN, and VPN) as well as network topologies, physical devices, and layered abstraction. The course will also introduce students to basic concepts of'
  ➜ Skipping stray line: 'security covering vulnerabilities of networks and mitigation techniques, security of physical media, and security policies and procedures.'
  ➜ Skipping stray line: 'C173 - Scripting and Programming - Foundations - This course provides an introduction to programming covering data structures, algorithms, and'
  ➜ Skipping stray line: 'programming paradigms. The course presents the student with the concept of an object as well as the object-oriented paradigm and its importance. A'
  ➜ Skipping stray line: 'survey of languages is covered and the distinction between interpreted and compiled languages is introduced.'
  ➜ Skipping stray line: 'C175 - Data Management - Foundations - This course introduces students to the concepts and terminology used in the field of data management.'
  ➜ Skipping stray line: 'They will be introduced to Structured Query Language (SQL) and will learn how to use Data Definition Language (DDL) and Data Manipulation'
  ➜ Skipping stray line: 'Language (DML) commands to define, retrieve, and manipulate data. This course covers differentiations of data—structured vs. unstructured and'
  ➜ Skipping stray line: 'quasi-structured (relational, hierarchical, XML, textual, visual, etc); it also covers aspects of data management (quality, policy, storage methodologies).'
  ➜ Skipping stray line: 'Foundational concepts of data security are included.'
  ➜ Skipping stray line: 'C176 - Business of IT - Project Management - In this course, students will build on industry standard concepts, techniques, and processes to'
  ➜ Skipping stray line: 'develop a comprehensive foundation for project management activities. During a project's life cycle, students will develop the critical skills necessary'
  ➜ Skipping stray line: 'to initiate, plan, execute, monitor, control, and close a project. Students will apply best practices in areas such as scope management, resource'
  ➜ Skipping stray line: 'allocation, project planning, project scheduling, quality control, risk management, performance measurement, and project reporting. This course'
  ➜ Skipping stray line: 'prepares students for the following certification exam: CompTIA Project+.'
  ➜ Skipping stray line: 'C178 - Network and Security - Applications - This course prepares students for the following certification exam: CompTIA Security+.'
  ➜ Skipping stray line: 'C179 - Business of IT - Applications - This course introduces IT students to information systems (IS). The course includes important topics related'
  ➜ Skipping stray line: 'to management of information systems (MIS), such as system development, and business continuity. The course also provides an overview of'
  ➜ Skipping stray line: 'management tools and issue tracking systems.'
  ➜ Skipping stray line: 'C180 - Introduction to Psychology - In this course, students will develop an understanding of psychology and how it helps them better understand'
  ➜ Skipping stray line: 'others and themselves. Students will learn general theories about psychological development, the structure of the brain, and how psychologists study'
  ➜ Skipping stray line: 'behavior. They will gain an understanding of both normal and disordered psychological behaviors, as well as general applications of the science of'
  ➜ Skipping stray line: 'psychology in society (such as personality typing and counseling).'
  ➜ Skipping stray line: 'C181 - Survey of United States Constitution and Government - This course is an introduction to the U.S. Constitution and the U.S. government.'
  ➜ Skipping stray line: 'Topics include (1) structure and relevance of the U.S. Constitution, (2) structure and function of governmental branches, and (3) political participation'
  ➜ Skipping stray line: 'and policy making.'
  ➜ Skipping stray line: 'C182 - Introduction to IT - This course introduces students to information technology as a discipline and the various roles and functions of the IT'
  ➜ Skipping stray line: 'department as business support. Students are presented with various IT disciplines including systems and services, network and security, scripting'
  ➜ Skipping stray line: 'and programming, data management, and business of IT, with a survey of technologies in every area and how they relate to each other and to the'
  ➜ Skipping stray line: 'business.'
  ➜ Skipping stray line: 'C185 - Network Policies and Services Management - This course prepares students for the following certification exam: MCSA: Installing and'
  ➜ Skipping stray line: 'Configuring Windows Server.'
  ➜ Skipping stray line: 'C186 - Server Administration - This course prepares students for the following certification exam: MCSA: Administering Windows Server.'
  ➜ Skipping stray line: 'C187 - Network Reliability and Fault Tolerance - This course prepares students for the following certification exam: MCSA: Configuring Advanced'
  ➜ Skipping stray line: 'Windows Server.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 149'
  ➜ Skipping stray line: 'C188 - Software Engineering - This course introduces the concepts of software engineering to IT core graduates. It is a standalone course that is'
  ➜ Skipping stray line: 'critical to the IT program. It emphasizes the need for a disciplined approach to software engineering by providing an overview of software and software'
  ➜ Skipping stray line: 'engineering processes and why they are challenging. A generic process framework is covered to provide the groundwork for formal process models.'
  ➜ Skipping stray line: 'Prescriptive process models (e.g., Waterfall Model) and Agile Development is included. An introduction to the elements/phases of software'
  ➜ Skipping stray line: 'engineering is introduced which includes Requirements Engineering (including UML, Use Cases), Design Concepts, Software Quality and Software'
  ➜ Skipping stray line: 'Testing, and Project Management.'
  ➜ Skipping stray line: 'C189 - Data Structures - Students will learn the fundamentals of dynamic data structures, such as bags, lists, stacks, queues, trees, hash tables, and'
  ➜ Skipping stray line: 'their associated algorithms, using object-oriented design and abstract data types as a design paradigm. The course emphasizes problem solving and'
  ➜ Skipping stray line: 'techniques applied to the design of efficient, maintainable software applications. Students will implement simple applications using the techniques'
  ➜ Skipping stray line: 'learned.'
  ➜ Skipping stray line: 'C190 - Introduction to Biology - This course is a foundational introduction to the biological sciences. The overarching theories of life from biological'
  ➜ Skipping stray line: 'research are explored as well as the fundamental concepts and principles of the study of living organisms and their interaction with the environment.'
  ➜ Skipping stray line: 'Key concepts include how living organisms use and produce energy; how life grows, develops, and reproduces; how life responds to the environment'
  ➜ Skipping stray line: 'to maintain internal stability; and how life evolves and adapts to the environment.'
  ➜ Skipping stray line: 'C191 - Operating Systems for Programmers - This course covers operating systems from the perspective of a programmer including the placement'
  ➜ Skipping stray line: 'of the operating system in the layered application development model. Primarily OSs provide Memory Management, Task Scheduling, and CPU'
  ➜ Skipping stray line: 'allocation. Secondarily, OSs provide tools for file storage/access, permission control, event handling, network access, and cross-process interaction.'
  ➜ Skipping stray line: 'OSs also provide tools for debugging problems within a single process or within groups of programs.'
  ➜ Skipping stray line: 'C192 - Data Management for Programmers - This course introduces storage of various kinds and formats of data. Students will use standard SQL to'
  ➜ Skipping stray line: 'demonstrate query capabilities provided by database management systems. The course will further cover data-related topics: data presentation,'
  ➜ Skipping stray line: 'security (access and encryption), transaction management, and administration (backup, disaster recovery, and performance tuning). This course will'
  ➜ Skipping stray line: 'address advanced topics such as data warehousing, data mining and distributed databases.'
  ➜ Skipping stray line: 'C193 - Client-Server Application Development - This course introduces students to client/server application programming classes, structures, and'
  ➜ Skipping stray line: 'concepts. The course covers networking and client/server, streams, threads, URLs, URIs, HTTP, and socket programming concepts.'
  ➜ Skipping stray line: 'C195 - Software II - Advanced Java Concepts - Software II – Advanced Java Concepts refines object-oriented programming expertise and builds'
  ➜ Skipping stray line: 'database and file server application development skills. You will learn about and put into action lambda expressions, collections, input/output,'
  ➜ Skipping stray line: 'advanced error handling, and the newest features of Java 8 to develop software that meets business requirements. This course requires intermediate'
  ➜ Skipping stray line: 'expertise in object-oriented programming and the Java language.'
  ➜ Skipping stray line: 'C196 - Mobile Application Development - This course introduces students to programming for mobile devices using a Software Development Kit'
  ➜ Skipping stray line: '(SDK). Students with previous knowledge of programming will learn how to install and utilize a SDK, build a basic mobile application, build a mobile'
  ➜ Skipping stray line: 'applications using a graphical user interface(GUI), adapt applications to different mobile devices, save data, execute and debug mobile applications'
  ➜ Skipping stray line: 'using emulators, and deploy a mobile application.'
  ➜ Skipping stray line: 'C200 - Managing Organizations and Leading People - This course covers principles of effective management and leadership that maximize'
  ➜ Skipping stray line: 'organizational performance. The following topics are included: the role and functions of a manager, analysis of personal leadership styles, approaches'
  ➜ Skipping stray line: 'to self-awareness and self-assessment, and application of foundational leadership and management skills.'
  ➜ Skipping stray line: 'C201 - Business Acumen - This course introduces you to the operation of the business enterprise and the role of management in directing its'
  ➜ Skipping stray line: 'activities. You will examine the roles of management in the context of business functions such as marketing, operations, accounting, finance, and'
  ➜ Skipping stray line: 'others.'
  ➜ Skipping stray line: 'C202 - Managing Human Capital - This course focuses on strategies and tools that managers use to maximize employee contribution and create'
  ➜ Skipping stray line: 'organizational excellence. You will learn talent management strategies to motivate and develop employees as well as best practices to manage'
  ➜ Skipping stray line: 'performance for added value.'
  ➜ Skipping stray line: 'C203 - Becoming an Effective Leader - This course explores major theories and approaches to leadership, leadership style evaluation, and personal'
  ➜ Skipping stray line: 'leadership development while focusing on motivation, development, and achievement of others. You will learn how to influence followers, manage'
  ➜ Skipping stray line: 'organizational culture, and enhance your effectiveness as a leader.'
  ➜ Skipping stray line: 'C204 - Management Communication - This course prepares you for the communication challenges in organizations. Topics examined include:'
  ➜ Skipping stray line: 'theories and strategies of communication, persuasion, conflict management and ethics that enhance communication to various audiences.'
  ➜ Skipping stray line: 'C205 - Leading Teams - This course helps you establish team objectives, align the team purpose with organizational goals, build credibility and trust,'
  ➜ Skipping stray line: 'and develop the talents of individuals to enhance team performance.'
  ➜ Skipping stray line: 'C206 - Ethical Leadership - This course examines the ethical issues and dilemmas managers face. This course provides a framework for analysis of'
  ➜ Skipping stray line: 'management-related ethical issues and decision-making action required for satisfactory resolution of these issues.'
  ➜ Skipping stray line: 'C207 - Data-Driven Decision Making - This course presents critical problem-solving methodologies, including field research and data collection'
  ➜ Skipping stray line: 'methods that enhance organizational performance. Topics include quantitative analysis, statistical and quality tools. You will improve your ability to'
  ➜ Skipping stray line: 'use data to make informed decisions.'
  ➜ Skipping stray line: 'C208 - Change Management and Innovation - This course provides an overview of change theories and innovation practices. This course will'
  ➜ Skipping stray line: 'emphasize the role of leadership in influencing and managing change in response to challenges and opportunities facing organizations.'
  ➜ Skipping stray line: 'C209 - Strategic Management - This course focuses on models and practices of strategic management including developing and implementing both'
  ➜ Skipping stray line: 'short and long term strategy and evaluating performance to achieve strategic goals and objectives.'
  ➜ Skipping stray line: 'C210 - Management and Leadership Capstone - This course is the culminating assessment of the MSML curriculum and requires you to synthesize'
  ➜ Skipping stray line: 'core knowledge from across the degree program and apply research skills in order to improve an organization. You will be asked to work with a real-'
  ➜ Skipping stray line: 'world organization to address a management or leadership challenge.'
  ➜ Skipping stray line: 'C211 - Global Economics for Managers - This course examines how economic tools, techniques, and indicators can be used for solving'
  ➜ Skipping stray line: 'organizational problems related to competitiveness, productivity, and growth. You will explore the management implications of a variety of economic'
  ➜ Skipping stray line: 'concepts and effective strategies to make decisions within a global context.'
  ➜ Skipping stray line: 'C212 - Marketing - This course will focus on the marketing function and its impact on the overall success of an organization. Topics include consumer'
  ➜ Skipping stray line: 'behavior, marketing theories and strategies, product positioning, the competitive environment, and effectiveness of the marketing function. A key'
  ➜ Skipping stray line: 'element of the course will include the relationship of the “marketing mix” to strategic planning.'
  ➜ Skipping stray line: 'C213 - Accounting for Decision Makers - This course provides you with the accounting knowledge and skills to assess and manage a business.'
  ➜ Skipping stray line: 'Topics include the accounting cycle, financial statements, taxes, and budgeting. You will improve your ability to understand reports and use'
  ➜ Skipping stray line: 'accounting information to plan and make sound business decisions.'
  ➜ Skipping stray line: 'C214 - Financial Management - This course covers practical approaches to analysis and decision making in the administration of corporate funds,'
  ➜ Skipping stray line: 'including capital budgeting, working capital management, and cost of capital. Topics include financial planning, management of working capital,'
  ➜ Skipping stray line: 'analysis of investment opportunities, sources of long-term financing, government regulations, and global influences. You will improve your ability to'
  ➜ Skipping stray line: 'interpret financial statements and manage corporate finances.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 150'
  ➜ Skipping stray line: 'C215 - Operations Management - This course focuses on the strategic importance of operations management to overall performance. This course'
  ➜ Skipping stray line: 'also emphasizes principles of supply chain management relevant to a variety of business operations ranging from manufacturing goods to retail'
  ➜ Skipping stray line: 'services. You will examine the various planning, control, and decision-making tools and techniques of the operations function.'
  ➜ Skipping stray line: 'C216 - MBA Capstone - This course is the culminating assessment of the MBA curriculum and covers all previous assessment topics. You will work'
  ➜ Skipping stray line: 'with a real-world organization to develop a solution to a business problem. In addition, you will work in teams of three or four students to simulate'
  ➜ Skipping stray line: 'running a business. One unique aspect of the simulation is that there are scheduled dates each week for simulation decisions. Since all teams are'
  ➜ Skipping stray line: 'required to meet the deadlines and work at the same pace this aspect of the assessment cannot be accelerated.'
  ➜ Skipping stray line: 'C217 - Human Growth and Development Across the Lifespan - This course introduces students to human development across the lifespan. This'
  ➜ Skipping stray line: 'will include an introductory survey of cognitive, psychological, and physical growth. Students will gain an understanding in regards to the emergence of'
  ➜ Skipping stray line: 'personality, identity, gender and sexuality, social relationships, emotion, language, and moral development through life. This will include milestones'
  ➜ Skipping stray line: 'such as education, achievement, work, dying, and death.'
  ➜ Skipping stray line: 'C218 - MBA, Information Technology Management Capstone - This course is the culminating assessment of the MBA, IT Management curriculum'
  ➜ Skipping stray line: 'and focuses on strategic management while allowing for the synthesis of previous assessment topics. You will work in teams of three or four students'
  ➜ Skipping stray line: 'to simulate running a business. One unique aspect of the simulation is that there are scheduled dates each week for simulation decisions. Since all'
  ➜ Skipping stray line: 'teams are required to meet the deadlines and work at the same pace this aspect of the assessment cannot be accelerated.'
  ➜ Skipping stray line: 'C219 - MBA, Healthcare Management Capstone - This course is the culminating assessment of the MBA, Healthcare Management curriculum and'
  ➜ Skipping stray line: 'focuses on strategic management while allowing for the synthesis of previous assessment topics. You will work in teams of three or four students to'
  ➜ Skipping stray line: 'simulate running a business. One unique aspect of the simulation is that there are scheduled dates each week for simulation decisions. Since all'
  ➜ Skipping stray line: 'teams are required to meet the deadlines and work at the same pace this aspect of the assessment cannot be accelerated.'
  ➜ Skipping stray line: 'C224 - Research Foundations - The Research Foundations course focuses on the essential concepts in educational research, including quantitative,'
  ➜ Skipping stray line: 'qualitative, mixed, and action research; measurement and assessment; and strategies for obtaining warranted research results.'
  ➜ Skipping stray line: 'C225 - Research Questions and Literature Review - The Research Questions and Literature Reviews course focuses on how to conduct a thorough'
  ➜ Skipping stray line: 'literature review that addresses and identifies important educational research topics, problems, and questions, and helps determine the appropriate'
  ➜ Skipping stray line: 'kind of research and data needed to answer one's research questions and hypotheses.'
  ➜ Skipping stray line: 'C226 - Research Design and Analysis - The Research Design and Analysis course focuses on applying strategies for effective design of empirical'
  ➜ Skipping stray line: 'research studies. Particular emphasis is placed on selecting or constructing the design that will provide the most valid results, analyzing the kind of'
  ➜ Skipping stray line: 'data that would be obtained, and making defensible interpretations and drawing appropriate conclusions based on the data.'
  ➜ Skipping stray line: 'C227 - Research Proposals - Research Proposals focuses on planning and writing a well-organized and complete research proposal. The'
  ➜ Skipping stray line: 'relationship of the sections in a research proposal to the sections in a research report will be highlighted.'
  ➜ Skipping stray line: 'C228 - Community Health and Population-Focused Nursing - Community Health and Population-Focused Nursing will assist students in becoming'
  ➜ Skipping stray line: 'familiar with foundational theories and models of health promotion applicable to the community health nursing environment. Students will develop an'
  ➜ Skipping stray line: 'understanding of how policies and resources influence the health of populations. Focus is concentrated on learning the importance of a community'
  ➜ Skipping stray line: 'assessment to improve or resolve a community health issue. Students will be introduced to the relationships between cultures and communities and'
  ➜ Skipping stray line: 'the steps necessary to create community collaboration with the goal to improve or resolve community health issues in a variety of settings. Students'
  ➜ Skipping stray line: 'will gain a greater understanding of health systems in the United States, global health issues, quality-of-life issues, cultural influences, community'
  ➜ Skipping stray line: 'collaboration, and emergency preparedness.'
  ➜ Skipping stray line: 'C229 - Community Health and Population-Focused Nursing Field Experience - Community Health and Population-Focused Nursing, Field'
  ➜ Skipping stray line: 'Experience will introduce and familiarize students with clinical aspects of health promotion and disease prevention in the community health nursing'
  ➜ Skipping stray line: 'environment. Students will practice skills based on clinical priorities, methodology, and resources that positively influence the health of populations by'
  ➜ Skipping stray line: 'assessing a primary prevention topic in the community. Students will demonstrate critical thinking skills by applying principals of community health'
  ➜ Skipping stray line: 'nursing in a variety of community settings aligning with the selected primary prevention topic. As part of this process, students will be required to'
  ➜ Skipping stray line: 'complete a minimum of 90 practice hours in order to meet the requirements of the course. Practice hours include direct and indirect hours of activity'
  ➜ Skipping stray line: 'engaged with the community or population chosen as your focus. Students will describe the completed Field Experience in a written assessment that'
  ➜ Skipping stray line: 'will also outline recommendations to improve the community health concern using the nursing process. Students will develop and recommend health'
  ➜ Skipping stray line: 'promotion and disease prevention strategies for population groups.'
  ➜ Skipping stray line: 'C230 - Community Health and Population-Focused Nursing Clinical - This course will assist students to become familiar with clinical aspects of'
  ➜ Skipping stray line: 'health promotion and disease prevention, applicable to the community health nursing environment. Students will practice skills based on clinical'
  ➜ Skipping stray line: 'priorities, methodology, and resources that positively influence the health of populations. Students will demonstrate critical thinking skills by applying'
  ➜ Skipping stray line: 'principals of community health nursing in a varity of settings. Students will design, implement and evaluate a project in community health. Students'
  ➜ Skipping stray line: 'will develop health promotion and disease prevention strategies for population groups.'
  ➜ Skipping stray line: 'C232 - Introduction to Human Resource Management - The course provides an introduction to the management of human resources, the function'
  ➜ Skipping stray line: 'within an organization that focuses on recruitment, management, and direction for the people who work in the organization. Students will be introduced'
  ➜ Skipping stray line: 'to HR topics such as strategic workforce planning and employment; compensation and benefits; training and development; employee and labor'
  ➜ Skipping stray line: 'relations; occupational health, safety and security.'
  ➜ Skipping stray line: 'C233 - Employment Law - This course reviews the legal and regulatory framework surrounding employment, including recruitment, termination, and'
  ➜ Skipping stray line: 'discrimination law. The course topics include employment-at-will, EEO, ADA, OSHA, and other laws affecting the workplace. Students will learn to'
  ➜ Skipping stray line: 'analyze current trends and issues in employment law and apply this knowledge to effectively manage risk in the employment relationship.'
  ➜ Skipping stray line: 'C234 - Workforce Planning: Recruitment and Selection - This course focuses on building a highly skilled workforce by using effective strategies'
  ➜ Skipping stray line: 'and tactics for recruiting, selecting, hiring, and retaining employees.'
  ➜ Skipping stray line: 'C235 - Training and Development - This course focuses on the development of human capital (i.e., growing talent) by applying effective learning'
  ➜ Skipping stray line: 'theories and practices for training and developing employees. Throughout this course, you will develop essential skills for improving and empowering'
  ➜ Skipping stray line: 'organizations through high-caliber training and development processes.'
  ➜ Skipping stray line: 'C236 - Compensation and Benefits - This course develops competence in understanding, designing, and implementing compensation and benefit'
  ➜ Skipping stray line: 'systems in an organization. It uses a Total Rewards perspective to integrate the tangible rewards (e.g., salary, bonuses, etc.) with employee benefits'
  ➜ Skipping stray line: '(e.g., health insurance, retirement plan, etc.) and intangible rewards (e.g., location, work environment, etc.) so that students can use all forms of'
  ➜ Skipping stray line: 'rewards fairly and effectively to enable job satisfaction and organizational performance.'
  ➜ Skipping stray line: 'C237 - Taxation I - This course focuses on the taxation of individuals. It provides an overview of income taxes of both individuals and business'
  ➜ Skipping stray line: 'entities in order to enhance awareness of the complexities and sources of tax law and to measure and analyze the effect of various tax options. The'
  ➜ Skipping stray line: 'course will introduce taxation of sole proprietorships. Students will learn principles of individual taxation and how to develop effective personal tax'
  ➜ Skipping stray line: 'strategies for individuals. Students will also be introduced to tax research of complex taxation issues.'
  ➜ Skipping stray line: 'C238 - Taxation II - Welcome to Taxation II! This course focuses on the taxation of business entities, including corporations, partnerships, and LLCs.'
  ➜ Skipping stray line: 'Important taxation concepts and skills discussed in this course include tax reporting, planning, and research skills applicable to a variety of business'
  ➜ Skipping stray line: 'contexts. The activities you will complete for this course emphasize the role of taxes in business decisions and business strategy.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 151'
  ➜ Skipping stray line: 'C239 - Advanced Tax Concepts - This course is designed to enhance your awareness of the complexities and sources of tax law and to measure'
  ➜ Skipping stray line: 'and analyze the effect of various tax options. This course provides an overview of income taxes on individuals, corporations, associations,'
  ➜ Skipping stray line: 'reorganizations, and corporate distributions. This course emphasizes the role of taxes in business decisions and business strategy.'
  ➜ Skipping stray line: 'C240 - Auditing - This course will walk you through the auditing process, including planning, conducting, documenting, and reporting an audit. You'
  ➜ Skipping stray line: 'will also learn the roles and professional standards of public accountants. This course is designed to help you study for the CPA exam and develop'
  ➜ Skipping stray line: 'essential skills for real-world experience.'
  ➜ Skipping stray line: 'C241 - Business Law for Accountants - Welcome to Business Law for Accountants! While you may have had exposure to other law or even'
  ➜ Skipping stray line: 'business law courses, this course focuses on those areas of the law that traditionally impact accounting-related and business transaction-related'
  ➜ Skipping stray line: 'decision functions. The course represents the legal and accounting concepts governing the conduct of business in the United States. It will cover laws'
  ➜ Skipping stray line: 'and regulations relevant to business operations.'
  ➜ Skipping stray line: 'C242 - Accounting Information Systems - Welcome to Accounting Information Systems! This course introduces a variety of accounting information'
  ➜ Skipping stray line: 'systems and internal controls necessary for effective systems. Students will learn how to document and evaluate the process flows of accounting'
  ➜ Skipping stray line: 'information systems, evaluate internal controls within accounting systems, and use QuickBooks Online.'
  ➜ Skipping stray line: 'C243 - Advanced Financial Accounting - This course builds upon your accounting knowledge by focusing on advanced financial accounting topics'
  ➜ Skipping stray line: 'such as consolidations, partnership accounting, and international accounting.'
  ➜ Skipping stray line: 'C244 - Advanced Auditing - This course introduces the basic concepts, standards, procedures, and practices of auditing, the changing role of the'
  ➜ Skipping stray line: 'independent auditor, professional conduct and ethics, auditor's reporting responsibilities, risk assessment, internal control, evidential matter, and'
  ➜ Skipping stray line: 'management fraud. This course is designed to help you examine how the role of internal and external auditing can best be performed through'
  ➜ Skipping stray line: 'studying cases of audit activities.'
  ➜ Skipping stray line: 'C245 - Accounting Research - The Accounting Research course is an upper level course that builds research application skills through identification'
  ➜ Skipping stray line: 'of accounting issues and researching concepts related to public accounting firms, businesses, and regulating authorities. This course helps students'
  ➜ Skipping stray line: 'develop analytical and research capabilities and apply the technical knowledge of accounting theory and principles to solve complex accounting'
  ➜ Skipping stray line: 'problems.'
  ➜ Skipping stray line: 'C246 - Fundamentals of Interconnecting Network Devices - This course prepares students for the Cisco CCENT certification exam,'
  ➜ Skipping stray line: 'Interconnecting Cisco Networking Devices Part I (ICND1). This is also the first of two exams that lead to Cisco Certified Networking Associate (CCNA)'
  ➜ Skipping stray line: 'certification.'
  ➜ Skipping stray line: 'C247 - Interconnecting Network Devices - This course prepares students for the second Cisco CCNA certification exam, Interconnecting Cisco'
  ➜ Skipping stray line: 'Networking Devices Part 2 (ICND2).'
  ➜ Skipping stray line: 'C248 - Intermediate Accounting I - This is the first of two courses encompassing more advanced accounting concepts. It will offer a more'
  ➜ Skipping stray line: 'comprehensive treatment of concepts learned in previous accounting courses. It will cover accounting standards, the conceptual accounting'
  ➜ Skipping stray line: 'framework, preparation of selected financial statements, time value of money, receivables, fixed assets, intangible assets, and both long- and short-'
  ➜ Skipping stray line: 'term liabilities.'
  ➜ Skipping stray line: 'C249 - Intermediate Accounting II - This is the second of two intermediate accounting courses. This course provides a more comprehensive'
  ➜ Skipping stray line: 'treatment of concepts learned in Fundamentals of Accounting. This course will cover stockholders’ equity, dilutive securities, investments, revenue'
  ➜ Skipping stray line: 'recognition, accounting for income taxes, pensions and post-retirement benefits, leases, financial disclosures, and the preparation of the statement of'
  ➜ Skipping stray line: 'cash flows.'
  ➜ Skipping stray line: 'C250 - Cost and Managerial Accounting - The Cost and Managerial Accounting course will cover managerial accounting as part of the information'
  ➜ Skipping stray line: 'managers’ use for planning and controlling operations. It prepares students to consider cost behavior and employ various cost methods. Job-order'
  ➜ Skipping stray line: 'costing, process costing, and activity-based costing methods will be covered, along with cost-benefit analysis, standard costing, variance analysis, and'
  ➜ Skipping stray line: 'cost reporting.'
  ➜ Skipping stray line: 'C251 - Accounting Capstone - This course is the culminating assessment of the accounting curriculum and requires students to synthesize core'
  ➜ Skipping stray line: 'knowledge from across the degree program and apply accounting skills to benefit an organization. Students will be asked to work with case studies to'
  ➜ Skipping stray line: 'address an accounting challenge.'
  ➜ Skipping stray line: 'C252 - Governmental and Nonprofit Accounting - This course is designed to be an introduction to the theory and practice of accounting in'
  ➜ Skipping stray line: 'governmental and nonprofit entities. The course includes a thorough examination of the process of analyzing and recording transactions by'
  ➜ Skipping stray line: 'governmental and nonprofit organization and their preparation of financial statements in accordance with Financial Accounting Board (FASB) and'
  ➜ Skipping stray line: 'Governmental Accounting Standards Board (GASB) standards. This course includes accounting for governmental and nonprofit entities (local, state,'
  ➜ Skipping stray line: 'and federal) and voluntary organizations.'
  ➜ Skipping stray line: 'C253 - Advanced Managerial Accounting - This course introduces the complexity and functionality of managerial accounting systems within an'
  ➜ Skipping stray line: 'organization. It covers the topics of product costing (including Activity Based Costing), decision making (including capital budgeting), profitability'
  ➜ Skipping stray line: 'analysis, budgeting, performance evaluation, and reporting related to managerial decision-making. This course provides the opportunity for a detailed'
  ➜ Skipping stray line: 'study of how managerial accounting information supports the operational and strategic needs of an organization and how managers use accounting'
  ➜ Skipping stray line: 'information for decision-making, planning and controlling activities within organizations.'
  ➜ Skipping stray line: 'C254 - Fraud and Forensic Accounting - This course provides a framework for detecting and preventing financial statement fraud. Topics include'
  ➜ Skipping stray line: 'the profession’s focus and legislation of fraud, revenue- and inventory-related fraud, and liability, asset, and inadequate disclosure fraud.'
  ➜ Skipping stray line: 'C255 - Introduction to Geography - This course will discuss geographic concepts, places and regions, physical and human systems and the'
  ➜ Skipping stray line: 'environment.'
  ➜ Skipping stray line: 'C263 - The Ocean Systems - In this course, learners investigate the complex ocean system by looking at the way its components—atmosphere,'
  ➜ Skipping stray line: 'biosphere, geosphere, hydrosphere—interact. Specific topics include: origins of Earth’s oceans and the early history of life; physical characteristics'
  ➜ Skipping stray line: 'and geologic processes of the ocean floor; chemistry of the water molecule; energy flow between air and water, and how ocean surface currents and'
  ➜ Skipping stray line: 'deep circulation patterns affect weather and climate; marine biology and why ecosystems are an integral part of the ocean system; the effects of'
  ➜ Skipping stray line: 'human activity; and the role of professional educators in teaching about ocean systems.'
  ➜ Skipping stray line: 'C264 - Climate Change - This course explores the science of climate change. Students will learn how the climate system works; what factors cause'
  ➜ Skipping stray line: 'climate to change across different time scales and how those factors interact; how climate has changed in the past; how scientists use models,'
  ➜ Skipping stray line: 'observations and theory to make predictions about future climate; and the possible consequences of climate change for our planet. The course'
  ➜ Skipping stray line: 'explores evidence for changes in ocean temperature, sea level and acidity due to global warming. Students will learn how climate change today is'
  ➜ Skipping stray line: 'different from past climate cycles and how satellites and other technologies are revealing the global signals of a changing climate. Finally, the course'
  ➜ Skipping stray line: 'looks at the connection between human activity and the current warming trend and considers some of the potential social, economic and'
  ➜ Skipping stray line: 'environmental consequences of climate change.'
  ➜ Skipping stray line: 'C266 - The Ocean Systems - In this course, learners investigate the complex ocean system by looking at the way its components—atmosphere,'
  ➜ Skipping stray line: 'biosphere, geosphere, hydrosphere—interact. Specific topics include: origins of Earth’s oceans and the early history of life; physical characteristics'
  ➜ Skipping stray line: 'and geologic processes of the ocean floor; chemistry of the water molecule; energy flow between air and water, and how ocean surface currents and'
  ➜ Skipping stray line: 'deep circulation patterns affect weather and climate; marine biology and why ecosystems are an integral part of the ocean system; the effects of'
  ➜ Skipping stray line: 'human activity; and the role of professional educators in teaching about ocean systems.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 152'
  ➜ Skipping stray line: 'C267 - Climate Change - This course explores the science of climate change. Students will learn how the climate system works; what factors cause'
  ➜ Skipping stray line: 'climate to change across different time scales and how those factors interact; how climate has changed in the past; how scientists use models,'
  ➜ Skipping stray line: 'observations and theory to make predictions about future climate; and the possible consequences of climate change for our planet. The course'
  ➜ Skipping stray line: 'explores evidence for changes in ocean temperature, sea level and acidity due to global warming. Students will learn how climate change today is'
  ➜ Skipping stray line: 'different from past climate cycles and how satellites and other technologies are revealing the global signals of a changing climate. Finally, the course'
  ➜ Skipping stray line: 'looks at the connection between human activity and the current warming trend and considers some of the potential social, economic and'
  ➜ Skipping stray line: 'environmental consequences of climate change.'
  ➜ Skipping stray line: 'C268 - Spreadsheets - The Spreadsheets course will help students become proficient in using spreadsheets to analyze business problems. Students'
  ➜ Skipping stray line: 'will demonstrate competency in spreadsheet development and analysis for business/accounting applications (e.g., using essential spreadsheet'
  ➜ Skipping stray line: 'functions, formulas, charts, etc.)'
  ➜ Skipping stray line: 'C269 - Children's Literature - This course is an introduction to and exploration of children’s literature. Students will consider and analyze children’s'
  ➜ Skipping stray line: 'literature as a lens through which to view the world. Students will experience multiple genres, historical perspectives, cultural representations and'
  ➜ Skipping stray line: 'current applications to the field of children’s literature.'
  ➜ Skipping stray line: 'C272 - Foundational Perspectives of Education - This course provides an introduction to the historical, legal, and philosophical foundations of'
  ➜ Skipping stray line: 'education. Current educational trends, reform movements, major federal and state laws, legal and ethical responsibilities, and an overview of'
  ➜ Skipping stray line: 'standards-based curriculum are the focus of the course. The course of study presents a discussion of changes and challenges in contemporary'
  ➜ Skipping stray line: 'education. It covers the diversity found in American schools, introduces emerging educational technology trends, and provides an overview of'
  ➜ Skipping stray line: 'contemporary topics in education.'
  ➜ Skipping stray line: 'C273 - Introduction to Sociology - This course teaches students to think like sociologists, in other words, to see and understand the hidden rules, or'
  ➜ Skipping stray line: 'norms, by which people live, and how they free or restrain behavior. Students will learn about socializing institutions, such as schools and families, as'
  ➜ Skipping stray line: 'well as workplace organizations and governments. Participants will also learn how people deviate from the rules by challenging norms, and how such'
  ➜ Skipping stray line: 'behavior may result in social change, either on a large scale or within small groups.'
  ➜ Skipping stray line: 'C277 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ➜ Skipping stray line: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ➜ Skipping stray line: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ➜ Skipping stray line: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C278 - College Algebra - This course provides further application and analysis of algebraic concepts and functions through mathematical modeling of'
  ➜ Skipping stray line: 'real-world situations. Topics include: real numbers, algebraic expressions, equations and inequalities, graphs and functions, polynomial and rational'
  ➜ Skipping stray line: 'functions, exponential and logarithmic functions, and systems of linear equations.'
  ➜ Skipping stray line: 'C280 - Probability and Statistics I - Probability and Statistics I covers the knowledge and skills necessary to apply basic probability, descriptive'
  ➜ Skipping stray line: 'statistics, and statistical reasoning, and to use appropriate technology to model and solve real-life problems. It provides an introduction to the science'
  ➜ Skipping stray line: 'of collecting, processing, analyzing, and interpreting data. Topics include creating and interpreting numerical summaries and visual displays of data;'
  ➜ Skipping stray line: 'regression lines and correlation; evaluating sampling methods and their effect on possible conclusions; designing observational studies, controlled'
  ➜ Skipping stray line: 'experiments, and surveys; and determining probabilities using simulations, diagrams, and probability rules. College Algebra is a prerequisite for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'C281 - College Geometry - College Geometry covers the knowledge and skills necessary to apply geometry to model and solve real-life problems, to'
  ➜ Skipping stray line: 'do formal axiomatic proofs in geometry, and to use dynamic technology to explore geometry. Topics include axiomatic systems and analytic proof;'
  ➜ Skipping stray line: 'non-Euclidean geometries; construction, analytic, and synthetic methods for investigating and proving properties and relationships of two- and three-'
  ➜ Skipping stray line: 'dimensional objects; geometric transformations, tessellations, and using inductive reasoning; concrete models; and dynamic technology to conduct'
  ➜ Skipping stray line: 'geometric investigations. College Algebra and Pre-Calculus are prerequisites for this course.'
  ➜ Skipping stray line: 'C282 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to use'
  ➜ Skipping stray line: 'differential calculus of one variable and appropriate technology to solve basic problems. Topics include graphing functions and finding their domains'
  ➜ Skipping stray line: 'and ranges; limits, continuity, differentiability, visual, analytical, and conceptual approaches to the definition of the derivative; the power, chain, and'
  ➜ Skipping stray line: 'sum rules applied to polynomial and exponential functions, position and velocity; and L'Hopital's Rule. Candidates should have completed a course in'
  ➜ Skipping stray line: 'Pre-Calculus before engaging in this course.'
  ➜ Skipping stray line: 'C283 - Calculus II - Calculus II is the study of the accumulation of change in relation to the area under a curve. It covers the knowledge and skills'
  ➜ Skipping stray line: 'necessary to apply integral calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include'
  ➜ Skipping stray line: 'antiderivatives; indefinite integrals; the substitution rule; Riemann sums; the Fundamental Theorem of Calculus; definite integrals; acceleration,'
  ➜ Skipping stray line: 'velocity, position, and initial values; integration by parts; integration by trigonometric substitution; integration by partial fractions; numerical integration;'
  ➜ Skipping stray line: 'improper integration; area between curves; volumes and surface areas of revolution; arc length; work; center of mass; separable differential equations;'
  ➜ Skipping stray line: 'direction fields; growth and decay problems; and sequences. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C284 - Mathematics Learning and Teaching - Mathematics Learning and Teaching will help you develop the knowledge and skills necessary to'
  ➜ Skipping stray line: 'become a prospective and practicing educator. You will be able to use a variety of instructional strategies to effectively facilitate the learning of'
  ➜ Skipping stray line: 'mathematics. This course focuses on selecting appropriate resources, using multiple strategies, and instructional planning, with methods based on'
  ➜ Skipping stray line: 'research and problem solving. A deep understanding of the knowledge, skills, and disposition of mathematics pedagogy is necessary to become an'
  ➜ Skipping stray line: 'effective secondary mathematics educator. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C285 - Mathematics History and Technology - Mathematics History and Technology introduces a variety of technological tools for doing'
  ➜ Skipping stray line: 'mathematics, and you will develop a broad understanding of the historical development of mathematics. You will come to understand that'
  ➜ Skipping stray line: 'mathematics is a very human subject that comes from the macro-level sweep of cultural and societal change, as well as the micro-level actions of'
  ➜ Skipping stray line: 'individuals with personal, professional, and philosophical motivations. Most importantly, you will learn to evaluate and apply technological tools and'
  ➜ Skipping stray line: 'historical information to create an enriching student-centered mathematical learning environment. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C288 - General Chemistry I - Chemistry is the study of matter. Everything you see and many of the things you don’t see are made up of atoms. By'
  ➜ Skipping stray line: 'understanding these atoms and their interactions, chemists have been able to cure disease, travel to the moon, and feed a growing world. By'
  ➜ Skipping stray line: 'understanding chemistry, you will find your own world expanded. You will find boiling water interesting and the back of the shampoo bottle fascinating.'
  ➜ Skipping stray line: 'The National Science Teachers Association (NSTA) has published principles and standards that address important chemistry topics that should be'
  ➜ Skipping stray line: 'covered through the K-12 curriculum. Many states have followed the NSTA’s lead and are increasingly requiring that these concepts be taught to the'
  ➜ Skipping stray line: 'students throughout the course of their science education. A firm grasp of the concepts covered in this course will allow you to confidently teach this'
  ➜ Skipping stray line: 'material when you enter the classroom.'
  ➜ Skipping stray line: 'C289 - General Chemistry II - Chemistry is the study of matter. Everything you see and many of the things you don’t see are made up of atoms. By'
  ➜ Skipping stray line: 'understanding these atoms and their interactions. chemists have been able to cure disease, travel to the moon, and feed a growing world. By'
  ➜ Skipping stray line: 'understanding chemistry, you will find your own world expanded. You will find boiling water interesting and the back of the shampoo bottle'
  ➜ Skipping stray line: 'fascinating.The National Science Teachers Association (NSTA) has published principles and standards that address important chemistry topics that'
  ➜ Skipping stray line: 'should be covered through the K-12 curriculum. Many states have followed the NSTA’s lead and are increasingly requiring that these concepts be'
  ➜ Skipping stray line: 'taught to the students throughout the course of their science education. A firm grasp of the concepts covered in this course will allow you to'
  ➜ Skipping stray line: 'confidently teach this material when you enter the classroom.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 153'
  ➜ Skipping stray line: 'C299 - Designing Customized Security - The course provides an introduction to the core security concepts and skills needed for the installation,'
  ➜ Skipping stray line: 'monitoring, and troubleshooting of network security features to maintain the integrity, confidentiality, and availability of data and devices. Successfully'
  ➜ Skipping stray line: 'completing this course will certify these skills. You will also develop competency in the technologies that Cisco uses in its security infrastructure.'
  ➜ Skipping stray line: 'Recommended Experience: You should possess a current Cisco Certified Network Administrator in Routing and Switching certification. This course'
  ➜ Skipping stray line: 'prepares students for the following certification exam: Cisco CCNA Security.'
  ➜ Skipping stray line: 'C301 - Translational Research for Practice and Populations - This graduate-level course builds on your baccalaureate-level statistical knowledge'
  ➜ Skipping stray line: 'to help you develop skills in analyzing, interpreting, and translating research into nursing practice using principles of patient-centered care and'
  ➜ Skipping stray line: 'applications to individuals and populations'
  ➜ Skipping stray line: 'C304 - Professional Roles and Values - This course explores the unique role nurses play in healthcare, beginning with the history and evolution of'
  ➜ Skipping stray line: 'the nursing profession. The responsibilities and accountability of professional nurses are covered, including cultural competency, advocacy for patient'
  ➜ Skipping stray line: 'rights, and the legal and ethical issues related to supervision and delegation. Professional conduct, leadership, the public image of nursing, the work'
  ➜ Skipping stray line: 'environment, and issues of social justice are also addressed.'
  ➜ Skipping stray line: 'C306 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ➜ Skipping stray line: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ➜ Skipping stray line: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ➜ Skipping stray line: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C307 - Supervised Demonstration Teaching in Elementary Education, Observations 1 and 2 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C308 - Supervised Demonstration Teaching in Elementary Education, Observation 3 and Midterm - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C309 - Supervised Demonstration Teaching in Elementary Education, Observations 4 and 5 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C310 - Supervised Demonstration Teaching in Elementary Education, Observation 6 and Final - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C311 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 1 and 2 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C312 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 3 and Midterm - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C313 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 4 and 5 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C314 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 6 and Final - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C315 - Supervised Demonstration Teaching in Mathematics, Observations 1 and 2 - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C316 - Supervised Demonstration Teaching in Mathematics, Observation 3 and Midterm - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C317 - Supervised Demonstration Teaching in Mathematics, Observations 4 and 5 - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C318 - Supervised Demonstration Teaching in Mathematics, Observation 6 and Final - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C319 - Supervised Demonstration Teaching in Science, Observations 1 and 2 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C320 - Supervised Demonstration Teaching in Science, Observation 3 and Midterm - Supervised Demonstration Teaching in Science involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C321 - Supervised Demonstration Teaching in Science, Observations 4 and 5 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C322 - Supervised Demonstration Teaching in Science, Observation 6 and Final - Supervised Demonstration Teaching in Science involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C323 - Supervised Demonstration Teaching in Elementary Education, Observations 1 and 2 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C324 - Supervised Demonstration Teaching in Elementary Education, Observation 3 and Midterm - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C325 - Supervised Demonstration Teaching in Elementary Education, Observations 4 and 5 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 154'
  ➜ Skipping stray line: 'C326 - Supervised Demonstration Teaching in Elementary Education, Observation 6 and Final - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C327 - Supervised Demonstration Teaching in Mathematics, Observations 1 and 2 - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C328 - Supervised Demonstration Teaching in Mathematics, Observation 3 and Midterm - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C329 - Supervised Demonstration Teaching in Mathematics, Observations 4 and 5 - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C330 - Supervised Demonstration Teaching in Mathematics, Observation 6 and Final - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C331 - Supervised Demonstration Teaching in Science, Observations 1 and 2 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C332 - Supervised Demonstration Teaching in Science, Observation 3 and Midterm - Supervised Demonstration Teaching in Science involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C333 - Supervised Demonstration Teaching in Science, Observations 4 and 5 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C334 - Supervised Demonstration Teaching in Science, Observation 6 and Final - Supervised Demonstration Teaching in Science involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C339 - Cohort Seminar - Cohort Seminar provides mentoring and supports teacher candidates during their demonstration teaching period by'
  ➜ Skipping stray line: 'providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates their demonstration of competence in'
  ➜ Skipping stray line: 'becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom, exploring community resources, building'
  ➜ Skipping stray line: 'collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'
  ➜ Skipping stray line: 'C340 - Cohort Seminar in Special Education - Cohort Seminar in Special Education provides mentoring and supports teacher candidates during'
  ➜ Skipping stray line: 'their demonstration teaching period by providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates'
  ➜ Skipping stray line: 'their demonstration of competence in becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom,'
  ➜ Skipping stray line: 'exploring community resources, building collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'
  ➜ Skipping stray line: 'C341 - Cohort Seminar - Cohort Seminar provides mentoring and supports teacher candidates during their demonstration teaching period by'
  ➜ Skipping stray line: 'providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates their demonstration of competence in'
  ➜ Skipping stray line: 'becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom, exploring community resources, building'
  ➜ Skipping stray line: 'collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'
  ➜ Skipping stray line: 'C347 - Professional Portfolio - You will create an online teaching portfolio that includes professional artifacts (e.g. resume and Philosophy of'
  ➜ Skipping stray line: 'Teaching Statement) that demonstrate the skills you have acquired throughout your Demonstration Teaching experience.'
  ➜ Skipping stray line: 'C348 - Professional Portfolio - You will create an online teaching portfolio that includes professional artifacts (e.g. resume and Philosophy of'
  ➜ Skipping stray line: 'Teaching Statement) that demonstrate the skills you have acquired throughout your Demonstration Teaching experience.'
  ➜ Skipping stray line: 'C349 - Health Assessment - The Health Assessment course is designed to enhance students’ knowledge and skills in health promotion, the early'
  ➜ Skipping stray line: 'detection of illness and prevention of disease. To that end the course provides relevant content and skills necessary to perform a comprehensive'
  ➜ Skipping stray line: 'physical assessment of patients throughout the lifespan. Students are engaged in these processes through interviewing, history taking and'
  ➜ Skipping stray line: 'demonstration of an advanced-level physical examination. Dominant models, theories and perspectives related to evidence-based wellness practices'
  ➜ Skipping stray line: 'and health education strategies also are included in this challenging course. Competency is measured through successful completion of two'
  ➜ Skipping stray line: 'performance tasks. It is recommended that students plan to complete C349 in four to six weeks.'
  ➜ Skipping stray line: 'C350 - Comprehensive Health Assessment for Patients and Populations - In this course, students will learn about the principles of health'
  ➜ Skipping stray line: 'assessment from the individual to the global level. Students will learn to perform a comprehensive functional health assessment that includes social'
  ➜ Skipping stray line: 'structures, family history, and environmental situations, from the individual patient to the population. This course builds on prior knowledge gained in'
  ➜ Skipping stray line: 'previous courses and in nursing practice, in areas such as pathophysiology, pharmacology, and epidemiology, and focus on applying this knowledge'
  ➜ Skipping stray line: 'in various populations with common disorders.'
  ➜ Skipping stray line: 'This course is roughly divided into three parts:'
  ➜ Skipping stray line: '• Advanced health assessment focusing on abnormal findings for common disease.'
  ➜ Skipping stray line: '• Integrating health assessment findings into a population, considering such issue as culture, spirituality, and continuum.'
  ➜ Skipping stray line: '• Functionality of clients based upon the problems and populations.'
  ➜ Skipping stray line: 'C351 - Professional Presence and Influence - Who we are and how we behave affects others. Our professional presence in therapeutic settings'
  ➜ Skipping stray line: 'can support or inhibit well-being not only in patients, but also in the rest of the health care team, in the family and support system of the patients, and'
  ➜ Skipping stray line: 'in the health care organization as a whole. This course will help registered nurses manage this impact by recognizing situations and practices that'
  ➜ Skipping stray line: 'support a positive environment and cultivating actions and responses to achieve and maintain this environment. The growth of self-knowledge will'
  ➜ Skipping stray line: 'expand nurses’ ability to direct influence in ways that are intended rather than in random or destructive ways.'
  ➜ Skipping stray line: 'C352 - Contemporary Pharmacotherapeutics - This course provides the opportunity to acquire advanced knowledge and skills in the therapeutic'
  ➜ Skipping stray line: 'use of pharmacologic agents, herbals, and supplements. Students will explore the pharmacologic treatment of major health problems and examine the'
  ➜ Skipping stray line: 'principles of pharmacogenomics. The effects of culture, ethnicity, age, pregnancy, gender, healthcare setting, and funding of pharmacologic therapy'
  ➜ Skipping stray line: 'will be emphasized. Legal aspects of prescribing will be fully addressed. Case studies will be utilized to present some of these concepts.'
  ➜ Skipping stray line: 'C358 - Foundations of Nursing Education - This graduate level course in the education specialty core examines the contemporary issues of nursing'
  ➜ Skipping stray line: 'education. While traditional contexts for learning are included, students will also focus on modern technology and trends in nursing education.'
  ➜ Skipping stray line: 'Students will explore curriculum development, educational philosophy, theories and models, instruction and evaluation, as well as e-learning,'
  ➜ Skipping stray line: 'simulations, and current technology in nursing education.'
  ➜ Skipping stray line: 'C359 - Future Directions in Contemporary Learning and Education - This course builds on previously developed concepts acquired in'
  ➜ Skipping stray line: 'Foundations of Nursing Education and Facilitating Learning in the 21st Century. This course will explore how changes in the economy, advancements'
  ➜ Skipping stray line: 'in science, and the explosion of technology have created a paradigm shift in nursing education. Graduates will further explore the role of the educator'
  ➜ Skipping stray line: 'and the application of innovative education strategies.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 155'
  ➜ Skipping stray line: 'C360 - Teacher Work Sample in English Language Learning - The Teacher Work Sample is a culmination of the wide variety of skills learned'
  ➜ Skipping stray line: 'during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of'
  ➜ Skipping stray line: 'your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C361 - Evidence Based Practice and Applied Nursing Research - The Evidence Based Practice and Applied Nursing Research course will help'
  ➜ Skipping stray line: 'you to learn how to design and conduct research to answer important questions about improving nursing practice and patient care delivery outcomes.'
  ➜ Skipping stray line: 'After you are introduced to the basics of evidence-based practice, you will continue to implement the principles throughout your clinical experience.'
  ➜ Skipping stray line: 'This will allow you to graduate with more competence and confidence to become a leader in the healing environment.'
  ➜ Skipping stray line: 'C362 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to apply'
  ➜ Skipping stray line: 'differential calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include functions, limits, continuity,'
  ➜ Skipping stray line: 'differentiability, visual, analytical, and conceptual approaches to the definition of the derivative, the power, chain, sum, product, and quotient rules'
  ➜ Skipping stray line: 'applied to polynomial, trigonometric, exponential, and logarithmic functions, implicit differentiation, position, velocity, and acceleration, optimization,'
  ➜ Skipping stray line: 'related rates, curve sketching, and L'Hopital's Rule. Pre-Calculus is a pre-requisite for this course.'
  ➜ Skipping stray line: 'C363 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to apply'
  ➜ Skipping stray line: 'differential calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include functions, limits, continuity,'
  ➜ Skipping stray line: 'differentiability, visual, analytical, and conceptual approaches to the definition of the derivative, the power, chain, sum, product, and quotient rules'
  ➜ Skipping stray line: 'applied to polynomial, trigonometric, exponential, and logarithmic functions, implicit differentiation, position, velocity, and acceleration, optimization,'
  ➜ Skipping stray line: 'related rates, curve sketching, and L'Hopital's Rule. Pre-Calculus is a pre-requisite for this course.'
  ➜ Skipping stray line: 'C365 - Language Arts Instruction and Intervention - Language Arts Instruction and Intervention helps students learn how to implement effective'
  ➜ Skipping stray line: 'language arts instruction and intervention in the elementary classroom. Topics include written and spoken English, expanding students' knowledge,'
  ➜ Skipping stray line: 'literature rich environments, differentiated instruction, technology for reading and writing, assessment strategies for reading and writing, and strategies'
  ➜ Skipping stray line: 'for developing academic language.'
  ➜ Skipping stray line: 'C367 - Elementary Physical Education and Health Methods - Elementary Physical Education and Health Methods helps students learn how to'
  ➜ Skipping stray line: 'implement effective physical and health education instruction in the elementary classroom. Topics include healthy lifestyles, student safety, student'
  ➜ Skipping stray line: 'nutrition, physical education, differentiated instruction for physical and health education, physical education across the curriculum, and public policy in'
  ➜ Skipping stray line: 'health and physical education.'
  ➜ Skipping stray line: 'C368 - Instructional Planning and Presentation in Elementary Education - Instructional Planning and Presentation assists students as they'
  ➜ Skipping stray line: 'continue to build instructional planning skills. Topics include unit and lesson planning, instructional presentation strategies, assessment, engagement,'
  ➜ Skipping stray line: 'integration of learning across the curriculum, effective grouping strategies, technology in the classroom, and using data to inform instruction.'
  ➜ Skipping stray line: 'C369 - Instructional Planning and Presentation in Science - Students will continue to build instructional planning skills with a focus on selecting'
  ➜ Skipping stray line: 'appropriate materials for diverse learners, selecting age- and ability- appropriate strategies for the content areas, promoting critical thinking, and'
  ➜ Skipping stray line: 'establishing both short- and long- term goals'
  ➜ Skipping stray line: 'C375 - Survey of World History - Through a thematic approach, this course explores the history of human societies over 5,000 years. Students'
  ➜ Skipping stray line: 'examine political and social structures, religious beliefs, economic systems, and patterns in trade, as well as many cultural attributes that came to'
  ➜ Skipping stray line: 'distinguish different societies around the globe over time. Special attention is given to relationships between these societies and the way geographic'
  ➜ Skipping stray line: 'and environmental factors influence human development.'
  ➜ Skipping stray line: 'C380 - Language Arts Instruction and Intervention - Language Arts Instruction and Intervention helps students learn how to implement effective'
  ➜ Skipping stray line: 'language arts instruction and intervention in the elementary classroom. Topics include written and spoken English, expanding students' knowledge,'
  ➜ Skipping stray line: 'literature rich environments, differentiated instruction, technology for reading and writing, assessment strategies for reading and writing, and strategies'
  ➜ Skipping stray line: 'for developing academic language.'
  ➜ Skipping stray line: 'C381 - Elementary Mathematics Methods - Elementary Mathematics Methods helps students learn how to implement effective math instruction in'
  ➜ Skipping stray line: 'the elementary classroom. Topics include differentiated math instruction, mathematical communication, mathematical tools for instruction, assessing'
  ➜ Skipping stray line: 'math understanding, integrating math across the curriculum, critical thinking development, standards based math instruction, and mathematical'
  ➜ Skipping stray line: 'models and representation.'
  ➜ Skipping stray line: 'C382 - Elementary Science Methods - Elementary Science Methods helps students learn how to implement effective science instruction in the'
  ➜ Skipping stray line: 'elementary classroom. Topics include processes of science, science inquiry, science learning environments, instructional strategies for science,'
  ➜ Skipping stray line: 'differentiated instruction for science, assessing science understanding, technology for science instruction, standards based science instruction,'
  ➜ Skipping stray line: 'integrating science across curriculum, and science beyond the classroom.'
  ➜ Skipping stray line: 'C388 - Science, Technology, and Society - Science, Technology, and Society explores the ways in which science influences and is influenced by'
  ➜ Skipping stray line: 'society and technology. A humanistic and social endeavor, science serves the needs of ever-changing societies by providing methods for observing,'
  ➜ Skipping stray line: 'questioning, discovering, and communicating information about the physical and natural world. This course prepares educators to explain the nature'
  ➜ Skipping stray line: 'and history of science, the various applications of science, and the scientific and engineering processes used to conduct investigations, make'
  ➜ Skipping stray line: 'decisions, and solve problems. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C389 - Science, Technology, and Society - Science, Technology, and Society explores the ways in which science influences and is influenced by'
  ➜ Skipping stray line: 'society and technology. A humanistic and social endeavor, science serves the needs of ever-changing societies by providing methods for observing,'
  ➜ Skipping stray line: 'questioning, discovering, and communicating information about the physical and natural world. This course prepares educators to explain the nature'
  ➜ Skipping stray line: 'and history of science, the various applications of science, and the scientific and engineering processes used to conduct investigations, make'
  ➜ Skipping stray line: 'decisions, and solve problems. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C393 - IT Foundations - IT Foundations is the first course in a two-part series preparatory for the CompTIA A+ exam, Part I. Students will gain an'
  ➜ Skipping stray line: 'understanding of personal computer components and their functions in a desktop system, as well as computer data storage and retrieval; classifying,'
  ➜ Skipping stray line: 'installing, configuring, optimizing, upgrading, and troubleshooting printers, laptops, portable devices, operating systems, networks, and system'
  ➜ Skipping stray line: 'security; recommending appropriate tools, diagnostic procedures, preventative maintenance and troubleshooting techniques for personal computer'
  ➜ Skipping stray line: 'components in a desktop system; strategies for identifying, preventing, and reporting safety hazards and environmental/human accidents in a'
  ➜ Skipping stray line: 'technological environments; and effective communication with colleagues and clients as well as job-related professional behavior.'
  ➜ Skipping stray line: 'C394 - IT Applications - IT Applications is a continuation of the IT Foundations course preparatory for the CompTIA A+ exam, Part II.'
  ➜ Skipping stray line: 'Students will gain an understanding of personal computer components and their functions in a desktop system. Also covered is computer data storage'
  ➜ Skipping stray line: 'and retrieval, including classifying, installing, configuring, optimizing, upgrading, and troubleshooting printers, laptops, portable devices, operating'
  ➜ Skipping stray line: 'systems, networks, and system security. Other areas include recommending appropriate tools, diagnostic procedures, preventative maintenance and'
  ➜ Skipping stray line: 'troubleshooting techniques for personal computer components in a desktop system. The course then finished with strategies for identifying,'
  ➜ Skipping stray line: 'preventing, and reporting safety hazards and environmental/human accidents in a technological environments, and effective communication with'
  ➜ Skipping stray line: 'colleagues and clients as well as job-related professional behavior.'
  ➜ Skipping stray line: 'C395 - Instructional Planning and Presentation in English - Applications in Instructional Planning and Presentation in English, as a continuation of'
  ➜ Skipping stray line: 'the Instructional Planning and Presentation course, helps students apply, analyze, and reflect on effective classroom instruction.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 156'
  ➜ Skipping stray line: 'C396 - English Pedagogy - English Pedagogy examines pedagogical applications for the teaching of reading, literature, composition, and related'
  ➜ Skipping stray line: 'English Language Arts (ELA) content and skills for middle and secondary schools. Focused on fostering and developing pedagogical content'
  ➜ Skipping stray line: 'knowledge in the aforementioned areas, students will analyze assessment strategies and incorporate methods of literacy instruction into their'
  ➜ Skipping stray line: 'instructional planning to meet the needs of diverse learners. This course helps students prepare and develop skills for classroom practice, lesson'
  ➜ Skipping stray line: 'planning, and working in school settings. C397 Preclinical Experiences in English is a prerequisite.'
  ➜ Skipping stray line: 'C397 - Preclinical Experiences in English - Preclinical Experiences in English provides students the opportunity to observe and participate in a wide'
  ➜ Skipping stray line: 'range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will reflect on'
  ➜ Skipping stray line: 'and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required to meet'
  ➜ Skipping stray line: 'several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C398 - Supervised Demonstration Teaching in English, Observations 1 and 2 - Supervised Demonstration Teaching in English involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C399 - Supervised Demonstration Teaching in English, Observation 3 and Midterm - Supervised Demonstration Teaching in English involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C400 - Supervised Demonstration Teaching in English, Observations 4 and 5 - Supervised Demonstration Teaching in English involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C401 - Supervised Demonstration Teaching in English, Observation 6 and Final - Supervised Demonstration Teaching in English involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C405 - Anatomy and Physiology II - This course introduces advanced concepts of human anatomy and physiology, through the investigation of the'
  ➜ Skipping stray line: 'structures and functions of the body's organ systems. Students will have the opportunity to explore the body through laboratory experience and apply'
  ➜ Skipping stray line: 'the concepts covered in this course. For nursing students this is the second of two anatomy and physiology courses within the program of study.'
  ➜ Skipping stray line: 'C410 - Collaborative Leadership Project - The purpose of this course is to practice applying collaborative leadership skills in an innovative'
  ➜ Skipping stray line: 'environment while engaging with a community. You will combine innovation with leadership to serve patients. You will also identify an innovation'
  ➜ Skipping stray line: 'process that will serve the Navajo Area Indian Health Services (NAIHS) facility in the Navajo Nation. The main task will be to collaborate with'
  ➜ Skipping stray line: 'stakeholders on the proposed process to address obesity.'
  ➜ Skipping stray line: 'C417 - Analytical Methods of Healthcare Professionals - This course explores the significance of research and statistics in care management. You'
  ➜ Skipping stray line: 'will start by examining the role of evidence-based decisions in care management and how to evaluate the quality of research used to make those'
  ➜ Skipping stray line: 'decisions. You will examine the role of statistics in making evidence-based decisions about care management. Finally, you will learn how statistics are'
  ➜ Skipping stray line: 'used in healthcare and how to test the validity of statistics in order to make informed care management decisions.'
  ➜ Skipping stray line: 'C421 - Health Information Technology Project - A medical group has decided to move forward with the organizational initiative of reducing health'
  ➜ Skipping stray line: 'disparities, increasing access, and improving outcomes by leading a cooperative of local healthcare organizations in a Community Health Information'
  ➜ Skipping stray line: 'Exchange System (CHIES) expansion plan founded on the governor’s vision to advance HIEs. You will complete an assessment of a CHIE, propose'
  ➜ Skipping stray line: 'an updated Electronic Health Records System (EHRS), and complete a CHIE feasibility assessment.'
  ➜ Skipping stray line: 'C423 - Challenges in Community Health Project - Community-based integrated healthcare requires skills in communication, management, and'
  ➜ Skipping stray line: 'resource utilization among healthcare personnel, healthcare organizations, and community and state entities. You will apply appropriate actions and'
  ➜ Skipping stray line: 'strategies consistent with the organizational mission, values, and needs in interactions with community leaders and members of the community. You'
  ➜ Skipping stray line: 'will learn and demonstrate utilization of communication and collaboration skills and the evaluation and application of data in problem-solving skills at'
  ➜ Skipping stray line: 'both the organizational and community level.'
  ➜ Skipping stray line: 'C424 - Integrated Healthcare Project - You will develop and present a comprehensive case study and business plan that proposes an integrated'
  ➜ Skipping stray line: 'system that includes, at a minimum, a health plan, hospitals, skilled nursing homes, and home health organizations to meet the rising health demands'
  ➜ Skipping stray line: 'of the baby-boomer population. You will choose an area of the U.S. with existing healthcare organizations, and present a model of an “open delivery'
  ➜ Skipping stray line: 'system” that serves as a financial hedge, enables experimentation, integrates culture (patient population demographics and regional healthcare'
  ➜ Skipping stray line: 'values and principles), incentives wellness and preventative care), and is value-based and consumer driven.'
  ➜ Skipping stray line: 'C425 - Healthcare Delivery Systems, Regulation, and Compliance - This course provides an overview of the U.S. healthcare system and focuses'
  ➜ Skipping stray line: 'on developing an understanding of the various sectors and roles involved in this complex industry. Policy and compliance issues are also addressed to'
  ➜ Skipping stray line: 'facilitate an appreciation for the highly regulated nature of healthcare delivery.'
  ➜ Skipping stray line: 'C426 - Healthcare Values and Ethics - This course explores ethical standards and considerations common to the healthcare environment such as'
  ➜ Skipping stray line: 'access to care, confidentiality, the allocation of limited resources, and billing practices. This course also focuses on the distinct value system'
  ➜ Skipping stray line: 'associated with the healthcare industry, as well as the values of professionalism.'
  ➜ Skipping stray line: 'C427 - Technology Applications in Healthcare - This course explores how technology continues to change and influence the healthcare industry.'
  ➜ Skipping stray line: 'Practical managerial applications are explored as well as the legal, ethical, and practical aspects of access to health and disease information.'
  ➜ Skipping stray line: 'Ensuring the protection of private health information is also emphasized.'
  ➜ Skipping stray line: 'C428 - Financial Resource Management in Healthcare - This course examines the financial environment of the healthcare industry including'
  ➜ Skipping stray line: 'principles involved in managed care. It also explores the revenue and expense structures for different sectors within the industry while emphasizing'
  ➜ Skipping stray line: 'funding and reimbursement practices of healthcare.'
  ➜ Skipping stray line: 'C429 - Healthcare Operations Management - This course builds upon basic principles of management, organizational behavior, and leadership.'
  ➜ Skipping stray line: 'Specific processes and business principles for managing operations in interdependent and multi-disciplinary healthcare organizations are explored.'
  ➜ Skipping stray line: 'Marketing strategies, communication skills, and the ability to establish and maintain relationships while ensuring productivity that is efficient, safe, and'
  ➜ Skipping stray line: 'meets the needs of all stakeholders is emphasized.'
  ➜ Skipping stray line: 'C430 - Healthcare Quality Improvement and Risk Management - This course emphasizes principles of quality management and risk management'
  ➜ Skipping stray line: 'in order to ensure safety, maximize patient outcomes, and continuously improve organizational outcomes. This course also examines the broader'
  ➜ Skipping stray line: 'impact of organizational culture and its influence on productivity, quality, and risk.'
  ➜ Skipping stray line: 'C431 - Healthcare Research and Statistics - This course builds upon an understanding of research methods and quantitative analysis. Concepts of'
  ➜ Skipping stray line: 'population health, epidemiology, and evidence-based practices provide the foundation for understanding the importance of data for informing'
  ➜ Skipping stray line: 'healthcare organizational decisions.'
  ➜ Skipping stray line: 'C432 - Healthcare Management and Strategy - This course builds upon basic principles of strategic management and explores healthcare'
  ➜ Skipping stray line: 'organizational structures and processes. The importance of the collaborative nature and interrelationships among business functions is emphasized.'
  ➜ Skipping stray line: 'Creating a healthcare vision and designing business plans within a healthcare environment is also examined.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 157'
  ➜ Skipping stray line: 'C433 - Integrated Healthcare Management Capstone Project - The capstone project is a student-designed project intended to illustrate your ability'
  ➜ Skipping stray line: 'to effect change in the industry and demonstrate competence in all five core competencies of the curriculum. You are required to collaborate with'
  ➜ Skipping stray line: 'leaders in the healthcare industry to identify opportunities for improvement in healthcare, propose a solution, and perform a business analysis to'
  ➜ Skipping stray line: 'evaluate its feasibility. In addition, the capstone project encourages work in the healthcare industry that will be showcased in your collection of work'
  ➜ Skipping stray line: 'and help solidify professional relationships in the industry.'
  ➜ Skipping stray line: 'C439 - Healthcare Management Capstone - This course is the culminating experience and assessment of healthcare business administration. This'
  ➜ Skipping stray line: 'course requires the student to integrate and synthesize managerial skills with healthcare knowledge, resulting in a high quality final project that'
  ➜ Skipping stray line: 'demonstrates professional managerial proficiency.'
  ➜ Skipping stray line: 'C451 - Integrated Natural Science - Integrated Natural Sciences explores the natural world through an integrated perspective and helps students'
  ➜ Skipping stray line: 'begin to see and draw numerous connections among events in the natural world. Topics include the universe, the Earth, ecosystems and organisms.'
  ➜ Skipping stray line: 'C452 - Integrated Natural Science Applications - Integrated Natural Sciences Applications explores the natural world through an integrated'
  ➜ Skipping stray line: 'perspective and helps students apply scientific concepts and methodologies to the examination of natural science fundamentals.'
  ➜ Skipping stray line: 'C453 - Clinical Microbiology - Clinical Microbiology introduces general concepts, methods, and applications of microbiology from a health sciences'
  ➜ Skipping stray line: 'perspective. The course is designed to provide healthcare professionals with a basic understanding of how various diseases are transmitted and'
  ➜ Skipping stray line: 'controlled. Students will examine the structure and function of microorganisms, including the roles that they play in causing major diseases. The'
  ➜ Skipping stray line: 'course also explores immunological, pathological and epidemiological factors associated with disease. To assist students in developing an applied,'
  ➜ Skipping stray line: 'patient-focused understanding of microbiology, this course is complimented by several lab experiments which allow students to: practice aseptic'
  ➜ Skipping stray line: 'techniques, grow bacteria and fungi, identify characteristics of bacteria and yeast based on biochemical and environmental tests, determine antibiotic'
  ➜ Skipping stray line: 'susceptibility, discover the microorganisms growing on objects and surfaces, and determine the Gram characteristic of bacteria. This course has no'
  ➜ Skipping stray line: 'pre-requisites.'
  ➜ Skipping stray line: 'C455 - English Composition I - English Composition I introduces learners to the types of writing and thinking that are valued in college and beyond.'
  ➜ Skipping stray line: 'Students will practice writing in several genres with emphasis placed on writing and revising academic arguments. Instruction and exercises in'
  ➜ Skipping stray line: 'grammar, mechanics, research documentation, and style are paired with each module so that writers can practice these skills as necessary.'
  ➜ Skipping stray line: 'Comp I is a foundational course designed to help students prepare for success at the college level.'
  ➜ Skipping stray line: 'There are no prerequisites for English Composition I.'
  ➜ Skipping stray line: 'C456 - English Composition II - English Composition II introduces undergraduate students to research writing. It is a foundational course designed to'
  ➜ Skipping stray line: 'help students prepare for advanced writing within the discipline and to complete the capstone. Specifically, this course will help students develop or'
  ➜ Skipping stray line: 'improve research, reference citation, document organization, and writing skills. English Composition I or equivalent is a prerequisite for this course.'
  ➜ Skipping stray line: 'C457 - Foundations of College Mathematics - Foundations of College Mathematics addresses the sequence of learning activities necessary to build'
  ➜ Skipping stray line: 'competence in foundational concepts of College Mathematics, which include whole numbers, fractions, decimals, ratios, proportions and percents,'
  ➜ Skipping stray line: 'geometry, statistics, the real number system, equations, inequalities, applications, and graphs of linear equations.'
  ➜ Skipping stray line: 'C458 - Health, Fitness and Wellness - Health, Fitness and Wellness focuses on the importance and foundations of good health and physical fitness,'
  ➜ Skipping stray line: 'particularly for children and adolescents, addressing health, nutrition, fitness, and substance use and abuse.'
  ➜ Skipping stray line: 'C459 - Introduction to Probability and Statistics - In this course, students demonstrate competency in the basic concepts, logic, and issues'
  ➜ Skipping stray line: 'involved in statistical reasoning. Topics include summarizing and analyzing data, sampling and study design, and probability.'
  ➜ Skipping stray line: 'C460 - Mathematics for Elementary Educators I - Mathematics for Elementary Educators I engages pre-service elementary teachers in'
  ➜ Skipping stray line: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in problem solving, set theory,'
  ➜ Skipping stray line: 'number theory, whole numbers and integers. This is the first course in a three-course sequence.'
  ➜ Skipping stray line: 'C461 - Mathematics for Elementary Educators II - This course engages pre-service elementary teachers in mathematical practices based on deep'
  ➜ Skipping stray line: 'understanding of underlying concepts. This course takes the arithmetic of the first course and generalizes it into algebraic reasoning. The course also'
  ➜ Skipping stray line: 'touches on important topics in probability. This is the second course in a three-course sequence.'
  ➜ Skipping stray line: 'C462 - Mathematics for Elementary Educators III - Mathematics for Elementary Educators III engages pre-service elementary teachers in'
  ➜ Skipping stray line: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in statistics, measurement, and'
  ➜ Skipping stray line: 'covers geometry from synthetic, transformational, and coordinate perspectives. This is the third course in a three-course sequence.'
  ➜ Skipping stray line: 'C463 - Intermediate Algebra - This course provides an introduction of algebraic concepts and the development of the essential groundwork for'
  ➜ Skipping stray line: 'College Algebra. Topics include: A review of basic mathematical skills, the real number system, algebraic expressions, linear equations, graphing,'
  ➜ Skipping stray line: 'exponents and polynomials'
  ➜ Skipping stray line: 'C464 - Introduction to Communication - This introductory communication course allows students to become familiar with the fundamental'
  ➜ Skipping stray line: 'communication theories and practices necessary to engage in healthy professional and personal relationships. Students will survey human'
  ➜ Skipping stray line: 'communication on multiple levels and critically apply the theoretical grounding of the course to interpersonal, intercultural, small group, and public'
  ➜ Skipping stray line: 'presentational contexts. The course also encourages students to consider the influence of language, perception, culture, and media on their daily'
  ➜ Skipping stray line: 'communicative interactions. In addition to theory, students will engage in the application of effective communication skills through systematically'
  ➜ Skipping stray line: 'preparing and delivering an oral presentation. By practicing these fundamental skills in human communication, students become more competent'
  ➜ Skipping stray line: 'communicators as they develop more flexible, useful, and discriminatory communicative practices in a variety of contexts.'
  ➜ Skipping stray line: 'C465 - Care of the Developing Family - .'
  ➜ Skipping stray line: 'C466 - Medication Dosage Calculations - In Medication Dosage Calculations, students learn about individualized drug dosing concepts, including:'
  ➜ Skipping stray line: 'different measurement systems, solid and liquid medications, calculating dosages based on body weight or body surface area, interpreting drug labels'
  ➜ Skipping stray line: 'and abbreviations, and common medication errors.'
  ➜ Skipping stray line: 'C467 - Pharmacology - Pharmacology covers concepts in pharmacology including drug classification and effects, the role of the nurse in drug'
  ➜ Skipping stray line: 'therapy, preparation and administration of drugs, and ethical and legal issues surrounding medication administration. The Institute of Medicine reports'
  ➜ Skipping stray line: 'that cited medication errors as the most common medical errors, costing billions of dollars and harming up to 1.5 million people every year. Medication'
  ➜ Skipping stray line: 'errors are often the result of nurses failing to follow proper procedures. The pharmacology course covers the following concepts: the nursing process'
  ➜ Skipping stray line: 'in relation to drug therapy; the role of pharmacological principles in nursing; the role of the nurse in pharmacy and lifespan considerations; cultural,'
  ➜ Skipping stray line: 'ethical, and legal considerations; education and substance abuse; and gene therapy and pharmacology. This course introduces the nursing student to'
  ➜ Skipping stray line: 'these concepts and continues to integrate pharmacology throughout the clinical courses within the program.'
  ➜ Skipping stray line: 'C468 - Information Management and the Application of Technology - Information Management and the Application of Technology helps the'
  ➜ Skipping stray line: 'student learn how to identify and implement the unique responsibilities of nurses related to the application of technology and the management of'
  ➜ Skipping stray line: 'patient information. This includes: understanding the evolving role of nurse informaticists; demonstrating the skills needed to use electronic health'
  ➜ Skipping stray line: 'records; identifying nurse-sensitive outcomes that lead to quality improvement measures; supporting the contributions of nurses to patient care;'
  ➜ Skipping stray line: 'examining workflow changes related to the implementation of computerized management systems; and learning to analyze the implications of new'
  ➜ Skipping stray line: 'technology on security, practice, and research.'
  ➜ Skipping stray line: 'C469 - Caring Arts and Science Across the Lifespan Part I - Caring Arts and Science Across the Lifespan Part I introduces nursing fundamentals'
  ➜ Skipping stray line: 'which speak to the core of all nursing care by assessing the needs of patients with compassion and respect; advocating for patients and their families;'
  ➜ Skipping stray line: 'providing education and comfort; and integrating patient needs into a plan of care that embraces individuality, diversity, and belief. Students continue'
  ➜ Skipping stray line: 'to learn about fundamental nursing skills within their didactic environment and will be provided time to practice in a learning lab environment.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 158'
  ➜ Skipping stray line: 'C470 - Caring Arts and Science Across the Lifespan Part I Clinical Learning - This course includes all aspects of clinical learning related to the'
  ➜ Skipping stray line: 'fundamentals of nursing practice. Learning labs will teach and assess task skill knowledge including physical assessment, safe medication'
  ➜ Skipping stray line: 'administration, oxygenation; nutrition, metabolism, & elimination; skin integrity, activity, & mobility; and cognition. Students who are successful in lab'
  ➜ Skipping stray line: 'assessments will progress to live patient clinicals and will be assessed for their mastery of basic levels of the key behaviors for clinical practice of a'
  ➜ Skipping stray line: 'novice nursing student.'
  ➜ Skipping stray line: 'C471 - Caring Arts and Science Across the Lifespan Part II - Caring Arts and Science Across the Lifespan Part II topics include management of'
  ➜ Skipping stray line: 'the perioperative care continuum; patient centered care of the adult; care of the adult with alterations in circulation; car of the adult with alterations in'
  ➜ Skipping stray line: 'cardiovascular function; care of the adult with alterations in oxygenation; care of the adult with alterations in neurosensory function; fundamental'
  ➜ Skipping stray line: 'patient self-determination & advocacy; and end-of-life care. This course incorporates virtual simulations into the didactic course to help students'
  ➜ Skipping stray line: 'prepare for their learning labs and clinical learning experience. Patient scenarios for the virtual simulations include: fluid & electrolyte imbalance; blood'
  ➜ Skipping stray line: 'transfusion reaction; severe reaction to antibiotic; pulmonary embolism; and postoperative complications with a fracture.'
  ➜ Skipping stray line: 'C472 - Caring Arts and Science Across the Lifespan Part II Clinical Learning - The clinical learning course for CASAL II includes all aspects of'
  ➜ Skipping stray line: 'clinical learning related to medical surgical nursing practice. Learning labs will teach and assess task skill knowledge progressing to high fidelity'
  ➜ Skipping stray line: 'simulation scenarios to develop mastery of situated use of knowledge and synthesis of knowledge in clinical scenarios that focus on perioperative'
  ➜ Skipping stray line: 'care. The virtual simulations that students completed in didactic will prepare them for their learning lab scenarios. Students who are successful in lab'
  ➜ Skipping stray line: 'assessments will progress to live patient clinicals and will be assessed for their mastery of basic levels of the key behaviors for clinical practice of'
  ➜ Skipping stray line: 'Medical Surgical nursing.'
  ➜ Skipping stray line: 'C473 - Care of Adults with Complex Illnesses - The Care of Adults with Complex Illnesses course builds on prior knowledge of medical surgical'
  ➜ Skipping stray line: 'nursing care and common conditions, focusing on diseases and conditions that affect the neuromuscular system, the musculoskeletal system, the'
  ➜ Skipping stray line: 'kidneys, the pancreas, and diseases such as cancer and impaired immunity, which affect every part of the body. Students will develop mastery of'
  ➜ Skipping stray line: 'competencies related to advanced medical surgical nursing practice. This course also utilizes virtual simulation scenarios to help students prepare for'
  ➜ Skipping stray line: 'their learning labs and their clinical intensives. Students work through the following patient scenarios: diabetes/hypoglycemia; postop abdominal'
  ➜ Skipping stray line: 'hysterectomy/opioid intoxication; acute severe asthma; acute myocardial infarction; and respiratory system disease.'
  ➜ Skipping stray line: 'C474 - Clinical Learning for Complex Illnesses in Adults - Clinical Care of Adults with Complex Illnesses includes all aspects of clinical learning'
  ➜ Skipping stray line: 'related to advanced medical surgical nursing practice. Learning labs will teach and assess advanced clinical competencies through the use of high'
  ➜ Skipping stray line: 'fidelity simulation and advanced clinical debriefing for clinical scenarios. Students participate in skills related to advance medication administration,'
  ➜ Skipping stray line: 'central venous devices, and peripherally inserted central catheters. The virtual simulations that students completed in didactic will prepare them for'
  ➜ Skipping stray line: 'their learning lab scenarios. Students who are successful in simulation assessments will progress to live patient clinicals and will be assessed for their'
  ➜ Title candidate: 'mastery of advanced levels of the key behaviors for clinical practice of Medical Surgical nursing.'
  ✔️ Collected description (1790 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 4953: 'C108 - Elementary Science Methods - Elementary Science Methods helps students learn how to implement effective science instruction in the'

🔍 parse_program: starting at line 4953: 'C108 - Elementary Science Methods - Elementary Science Methods helps students learn how to implement effective science instruction in the'
  ➜ Title candidate: 'C108 - Elementary Science Methods - Elementary Science Methods helps students learn how to implement effective science instruction in the'
  ❌ Invalid title line: 'C108 - Elementary Science Methods - Elementary Science Methods helps students learn how to implement effective science instruction in the'
  ➜ Parsing at 4954: 'elementary classroom. Topics include processes of science, science inquiry, science learning environments, instructional strategies for science,'

🔍 parse_program: starting at line 4954: 'elementary classroom. Topics include processes of science, science inquiry, science learning environments, instructional strategies for science,'
  ➜ Title candidate: 'elementary classroom. Topics include processes of science, science inquiry, science learning environments, instructional strategies for science,'
  ❌ Invalid title line: 'elementary classroom. Topics include processes of science, science inquiry, science learning environments, instructional strategies for science,'
  ➜ Parsing at 4955: 'differentiated instruction for science, assessing science understanding, technology for science instruction, standards based science instruction,'

🔍 parse_program: starting at line 4955: 'differentiated instruction for science, assessing science understanding, technology for science instruction, standards based science instruction,'
  ➜ Title candidate: 'differentiated instruction for science, assessing science understanding, technology for science instruction, standards based science instruction,'
  ❌ Invalid title line: 'differentiated instruction for science, assessing science understanding, technology for science instruction, standards based science instruction,'
  ➜ Parsing at 4956: 'integrating science across curriculum, and science beyond the classroom.'

🔍 parse_program: starting at line 4956: 'integrating science across curriculum, and science beyond the classroom.'
  ➜ Title candidate: 'integrating science across curriculum, and science beyond the classroom.'
  ❌ Invalid title line: 'integrating science across curriculum, and science beyond the classroom.'
  ➜ Parsing at 4957: 'C109 - Elementary Mathematics Methods - Elementary Mathematics Methods helps students learn how to implement effective math instruction in'

🔍 parse_program: starting at line 4957: 'C109 - Elementary Mathematics Methods - Elementary Mathematics Methods helps students learn how to implement effective math instruction in'
  ➜ Title candidate: 'C109 - Elementary Mathematics Methods - Elementary Mathematics Methods helps students learn how to implement effective math instruction in'
  ❌ Invalid title line: 'C109 - Elementary Mathematics Methods - Elementary Mathematics Methods helps students learn how to implement effective math instruction in'
  ➜ Parsing at 4958: 'the elementary classroom. Topics include differentiated math instruction, mathematical communication, mathematical tools for instruction, assessing'

🔍 parse_program: starting at line 4958: 'the elementary classroom. Topics include differentiated math instruction, mathematical communication, mathematical tools for instruction, assessing'
  ➜ Title candidate: 'the elementary classroom. Topics include differentiated math instruction, mathematical communication, mathematical tools for instruction, assessing'
  ❌ Invalid title line: 'the elementary classroom. Topics include differentiated math instruction, mathematical communication, mathematical tools for instruction, assessing'
  ➜ Parsing at 4959: 'math understanding, integrating math across the curriculum, critical thinking development, standards based math instruction, and mathematical'

🔍 parse_program: starting at line 4959: 'math understanding, integrating math across the curriculum, critical thinking development, standards based math instruction, and mathematical'
  ➜ Title candidate: 'math understanding, integrating math across the curriculum, critical thinking development, standards based math instruction, and mathematical'
  ❌ Invalid title line: 'math understanding, integrating math across the curriculum, critical thinking development, standards based math instruction, and mathematical'
  ➜ Parsing at 4960: 'models and representation.'

🔍 parse_program: starting at line 4960: 'models and representation.'
  ➜ Title candidate: 'models and representation.'
  ❌ Invalid title line: 'models and representation.'
  ➜ Parsing at 4961: 'C113 - Instructional Planning and Presentation in Mathematics - Students will continue to build instructional planning skills with a focus on'

🔍 parse_program: starting at line 4961: 'C113 - Instructional Planning and Presentation in Mathematics - Students will continue to build instructional planning skills with a focus on'
  ➜ Title candidate: 'C113 - Instructional Planning and Presentation in Mathematics - Students will continue to build instructional planning skills with a focus on'
  ❌ Invalid title line: 'C113 - Instructional Planning and Presentation in Mathematics - Students will continue to build instructional planning skills with a focus on'
  ➜ Parsing at 4962: 'selecting appropriate materials for diverse learners, selecting age and ability appropriate strategies for the content areas, promoting critical thinking,'

🔍 parse_program: starting at line 4962: 'selecting appropriate materials for diverse learners, selecting age and ability appropriate strategies for the content areas, promoting critical thinking,'
  ➜ Title candidate: 'selecting appropriate materials for diverse learners, selecting age and ability appropriate strategies for the content areas, promoting critical thinking,'
  ❌ Invalid title line: 'selecting appropriate materials for diverse learners, selecting age and ability appropriate strategies for the content areas, promoting critical thinking,'
  ➜ Parsing at 4963: 'and establishing both short and long term goals.'

🔍 parse_program: starting at line 4963: 'and establishing both short and long term goals.'
  ➜ Title candidate: 'and establishing both short and long term goals.'
  ❌ Invalid title line: 'and establishing both short and long term goals.'
  ➜ Parsing at 4964: 'C121 - Survey of United States History - This course presents a broad and thematic survey of U.S. history from European colonization to the mid-'

🔍 parse_program: starting at line 4964: 'C121 - Survey of United States History - This course presents a broad and thematic survey of U.S. history from European colonization to the mid-'
  ➜ Title candidate: 'C121 - Survey of United States History - This course presents a broad and thematic survey of U.S. history from European colonization to the mid-'
  ❌ Invalid title line: 'C121 - Survey of United States History - This course presents a broad and thematic survey of U.S. history from European colonization to the mid-'
  ➜ Parsing at 4965: 'twentieth century. Students will explore how historical events and major themes in American history have affected a diverse population.'

🔍 parse_program: starting at line 4965: 'twentieth century. Students will explore how historical events and major themes in American history have affected a diverse population.'
  ➜ Title candidate: 'twentieth century. Students will explore how historical events and major themes in American history have affected a diverse population.'
  ❌ Invalid title line: 'twentieth century. Students will explore how historical events and major themes in American history have affected a diverse population.'
  ➜ Parsing at 4966: 'C128 - Advanced Professional Roles and Values - The Advanced Professional Roles and Values course bridges the undergraduate nurse to higher'

🔍 parse_program: starting at line 4966: 'C128 - Advanced Professional Roles and Values - The Advanced Professional Roles and Values course bridges the undergraduate nurse to higher'
  ➜ Title candidate: 'C128 - Advanced Professional Roles and Values - The Advanced Professional Roles and Values course bridges the undergraduate nurse to higher'
  ❌ Invalid title line: 'C128 - Advanced Professional Roles and Values - The Advanced Professional Roles and Values course bridges the undergraduate nurse to higher'
  ➜ Parsing at 4967: 'level knowledge and accountability by examining roles of advanced professional practice. Current issues, professional and personal values, and'

🔍 parse_program: starting at line 4967: 'level knowledge and accountability by examining roles of advanced professional practice. Current issues, professional and personal values, and'
  ➜ Title candidate: 'level knowledge and accountability by examining roles of advanced professional practice. Current issues, professional and personal values, and'
  ❌ Invalid title line: 'level knowledge and accountability by examining roles of advanced professional practice. Current issues, professional and personal values, and'
  ➜ Parsing at 4968: 'ethical issues are examined along with scholarship and advanced practice roles.'

🔍 parse_program: starting at line 4968: 'ethical issues are examined along with scholarship and advanced practice roles.'
  ➜ Title candidate: 'ethical issues are examined along with scholarship and advanced practice roles.'
  ❌ Invalid title line: 'ethical issues are examined along with scholarship and advanced practice roles.'
  ➜ Parsing at 4969: 'C132 - Elements of Effective Communication - Elements of Effective Communication introduces learners to elements of communication that are'

🔍 parse_program: starting at line 4969: 'C132 - Elements of Effective Communication - Elements of Effective Communication introduces learners to elements of communication that are'
  ➜ Title candidate: 'C132 - Elements of Effective Communication - Elements of Effective Communication introduces learners to elements of communication that are'
  ❌ Invalid title line: 'C132 - Elements of Effective Communication - Elements of Effective Communication introduces learners to elements of communication that are'
  ➜ Parsing at 4970: 'valued in college and beyond. Materials are based on five principles: being aware of your communication with yourself and others; using and'

🔍 parse_program: starting at line 4970: 'valued in college and beyond. Materials are based on five principles: being aware of your communication with yourself and others; using and'
  ➜ Title candidate: 'valued in college and beyond. Materials are based on five principles: being aware of your communication with yourself and others; using and'
  ❌ Invalid title line: 'valued in college and beyond. Materials are based on five principles: being aware of your communication with yourself and others; using and'
  ➜ Parsing at 4971: 'interpreting verbal messages effectively; using and interpreting nonverbal messages effectively; listening and responding thoughtfully to others, and'

🔍 parse_program: starting at line 4971: 'interpreting verbal messages effectively; using and interpreting nonverbal messages effectively; listening and responding thoughtfully to others, and'
  ➜ Title candidate: 'interpreting verbal messages effectively; using and interpreting nonverbal messages effectively; listening and responding thoughtfully to others, and'
  ❌ Invalid title line: 'interpreting verbal messages effectively; using and interpreting nonverbal messages effectively; listening and responding thoughtfully to others, and'
  ➜ Parsing at 4972: 'adapting messages to others appropriately.'

🔍 parse_program: starting at line 4972: 'adapting messages to others appropriately.'
  ➜ Title candidate: 'adapting messages to others appropriately.'
  ❌ Invalid title line: 'adapting messages to others appropriately.'
  ➜ Parsing at 4973: 'C133 - Instructional Planning and Presentation in Elementary and Special Education - Instructional Planning and Presentation assists students'

🔍 parse_program: starting at line 4973: 'C133 - Instructional Planning and Presentation in Elementary and Special Education - Instructional Planning and Presentation assists students'
  ➜ Title candidate: 'C133 - Instructional Planning and Presentation in Elementary and Special Education - Instructional Planning and Presentation assists students'
  ❌ Invalid title line: 'C133 - Instructional Planning and Presentation in Elementary and Special Education - Instructional Planning and Presentation assists students'
  ➜ Parsing at 4974: 'as they continue to build instructional planning skills. Topics include unit and lesson planning, instructional presentation strategies, assessment,'

🔍 parse_program: starting at line 4974: 'as they continue to build instructional planning skills. Topics include unit and lesson planning, instructional presentation strategies, assessment,'
  ➜ Title candidate: 'as they continue to build instructional planning skills. Topics include unit and lesson planning, instructional presentation strategies, assessment,'
  ❌ Invalid title line: 'as they continue to build instructional planning skills. Topics include unit and lesson planning, instructional presentation strategies, assessment,'
  ➜ Parsing at 4975: 'engagement, integration of learning across the curriculum, effective grouping strategies, technology in the classroom, and using data to inform'

🔍 parse_program: starting at line 4975: 'engagement, integration of learning across the curriculum, effective grouping strategies, technology in the classroom, and using data to inform'
  ➜ Title candidate: 'engagement, integration of learning across the curriculum, effective grouping strategies, technology in the classroom, and using data to inform'
  ❌ Invalid title line: 'engagement, integration of learning across the curriculum, effective grouping strategies, technology in the classroom, and using data to inform'
  ➜ Parsing at 4976: 'instruction.'

🔍 parse_program: starting at line 4976: 'instruction.'
  ➜ Title candidate: 'instruction.'
  ❌ Invalid title line: 'instruction.'
  ➜ Parsing at 4977: 'C141 - Instructional Planning and Presentation in Elementary Education - Instructional Planning and Presentation assists students as they'

🔍 parse_program: starting at line 4977: 'C141 - Instructional Planning and Presentation in Elementary Education - Instructional Planning and Presentation assists students as they'
  ➜ Title candidate: 'C141 - Instructional Planning and Presentation in Elementary Education - Instructional Planning and Presentation assists students as they'
  ❌ Invalid title line: 'C141 - Instructional Planning and Presentation in Elementary Education - Instructional Planning and Presentation assists students as they'
  ➜ Parsing at 4978: 'continue to build instructional planning skills. Topics include unit and lesson planning, instructional presentation strategies, assessment, engagement,'

🔍 parse_program: starting at line 4978: 'continue to build instructional planning skills. Topics include unit and lesson planning, instructional presentation strategies, assessment, engagement,'
  ➜ Title candidate: 'continue to build instructional planning skills. Topics include unit and lesson planning, instructional presentation strategies, assessment, engagement,'
  ❌ Invalid title line: 'continue to build instructional planning skills. Topics include unit and lesson planning, instructional presentation strategies, assessment, engagement,'
  ➜ Parsing at 4979: 'integration of learning across the curriculum, effective grouping strategies, technology in the classroom, and using data to inform instruction.'

🔍 parse_program: starting at line 4979: 'integration of learning across the curriculum, effective grouping strategies, technology in the classroom, and using data to inform instruction.'
  ➜ Title candidate: 'integration of learning across the curriculum, effective grouping strategies, technology in the classroom, and using data to inform instruction.'
  ❌ Invalid title line: 'integration of learning across the curriculum, effective grouping strategies, technology in the classroom, and using data to inform instruction.'
  ➜ Parsing at 4980: 'C142 - Instructional Planning and Presentation in Mathematics - Instructional Planning and Presentation assists students as they continue to build'

🔍 parse_program: starting at line 4980: 'C142 - Instructional Planning and Presentation in Mathematics - Instructional Planning and Presentation assists students as they continue to build'
  ➜ Title candidate: 'C142 - Instructional Planning and Presentation in Mathematics - Instructional Planning and Presentation assists students as they continue to build'
  ❌ Invalid title line: 'C142 - Instructional Planning and Presentation in Mathematics - Instructional Planning and Presentation assists students as they continue to build'
  ➜ Parsing at 4981: 'instructional planning skills. Topics include unit and lesson planning, instructional presentation strategies, assessment, engagement, integration of'

🔍 parse_program: starting at line 4981: 'instructional planning skills. Topics include unit and lesson planning, instructional presentation strategies, assessment, engagement, integration of'
  ➜ Title candidate: 'instructional planning skills. Topics include unit and lesson planning, instructional presentation strategies, assessment, engagement, integration of'
  ❌ Invalid title line: 'instructional planning skills. Topics include unit and lesson planning, instructional presentation strategies, assessment, engagement, integration of'
  ➜ Parsing at 4982: 'learning across the curriculum, effective grouping strategies, technology in the classroom, and using data to inform instruction.'

🔍 parse_program: starting at line 4982: 'learning across the curriculum, effective grouping strategies, technology in the classroom, and using data to inform instruction.'
  ➜ Title candidate: 'learning across the curriculum, effective grouping strategies, technology in the classroom, and using data to inform instruction.'
  ❌ Invalid title line: 'learning across the curriculum, effective grouping strategies, technology in the classroom, and using data to inform instruction.'
  ➜ Parsing at 4983: 'C143 - Instructional Planning and Presentation in Science - Instructional Planning and Presentation assists students as they continue to build'

🔍 parse_program: starting at line 4983: 'C143 - Instructional Planning and Presentation in Science - Instructional Planning and Presentation assists students as they continue to build'
  ➜ Title candidate: 'C143 - Instructional Planning and Presentation in Science - Instructional Planning and Presentation assists students as they continue to build'
  ❌ Invalid title line: 'C143 - Instructional Planning and Presentation in Science - Instructional Planning and Presentation assists students as they continue to build'
  ➜ Parsing at 4984: 'instructional planning skills. Topics include unit and lesson planning, instructional presentation strategies, assessment, engagement, integration of'

🔍 parse_program: starting at line 4984: 'instructional planning skills. Topics include unit and lesson planning, instructional presentation strategies, assessment, engagement, integration of'
  ➜ Title candidate: 'instructional planning skills. Topics include unit and lesson planning, instructional presentation strategies, assessment, engagement, integration of'
  ❌ Invalid title line: 'instructional planning skills. Topics include unit and lesson planning, instructional presentation strategies, assessment, engagement, integration of'
  ➜ Parsing at 4985: 'learning across the curriculum, effective grouping strategies, technology in the classroom, and using data to inform instruction.'

🔍 parse_program: starting at line 4985: 'learning across the curriculum, effective grouping strategies, technology in the classroom, and using data to inform instruction.'
  ➜ Title candidate: 'learning across the curriculum, effective grouping strategies, technology in the classroom, and using data to inform instruction.'
  ❌ Invalid title line: 'learning across the curriculum, effective grouping strategies, technology in the classroom, and using data to inform instruction.'
  ➜ Parsing at 4986: 'C155 - Pathopharmacological Foundations for Advanced Nursing Practice - In Pathopharmacological Foundations for Advanced Nursing'

🔍 parse_program: starting at line 4986: 'C155 - Pathopharmacological Foundations for Advanced Nursing Practice - In Pathopharmacological Foundations for Advanced Nursing'
  ➜ Title candidate: 'C155 - Pathopharmacological Foundations for Advanced Nursing Practice - In Pathopharmacological Foundations for Advanced Nursing'
  ❌ Invalid title line: 'C155 - Pathopharmacological Foundations for Advanced Nursing Practice - In Pathopharmacological Foundations for Advanced Nursing'
  ➜ Parsing at 4987: 'Practice, students will gain application skills by examining syndromes rather than looking at body systems independently. The course includes'

🔍 parse_program: starting at line 4987: 'Practice, students will gain application skills by examining syndromes rather than looking at body systems independently. The course includes'
  ➜ Title candidate: 'Practice, students will gain application skills by examining syndromes rather than looking at body systems independently. The course includes'
  ❌ Invalid title line: 'Practice, students will gain application skills by examining syndromes rather than looking at body systems independently. The course includes'
  ➜ Parsing at 4988: 'pathophysiologies, the associated pharmacological treatments, and social and environmental impacts Pathopharmacological Foundations for'

🔍 parse_program: starting at line 4988: 'pathophysiologies, the associated pharmacological treatments, and social and environmental impacts Pathopharmacological Foundations for'
  ➜ Title candidate: 'pathophysiologies, the associated pharmacological treatments, and social and environmental impacts Pathopharmacological Foundations for'
  ❌ Invalid title line: 'pathophysiologies, the associated pharmacological treatments, and social and environmental impacts Pathopharmacological Foundations for'
  ➜ Parsing at 4989: 'Advanced Nursing Practice is an integrated examination of five common and important disease processes:'

🔍 parse_program: starting at line 4989: 'Advanced Nursing Practice is an integrated examination of five common and important disease processes:'
  ➜ Title candidate: 'Advanced Nursing Practice is an integrated examination of five common and important disease processes:'
  ❌ Invalid title line: 'Advanced Nursing Practice is an integrated examination of five common and important disease processes:'
  ➜ Parsing at 4990: '• asthma'

🔍 parse_program: starting at line 4990: '• asthma'
  ➜ Title candidate: '• asthma'
  ❌ Invalid title line: '• asthma'
  ➜ Parsing at 4991: '• heart failure'

🔍 parse_program: starting at line 4991: '• heart failure'
  ➜ Title candidate: '• heart failure'
  ❌ Invalid title line: '• heart failure'
  ➜ Parsing at 4992: '• obesity'

🔍 parse_program: starting at line 4992: '• obesity'
  ➜ Title candidate: '• obesity'
  ❌ Invalid title line: '• obesity'
  ➜ Parsing at 4993: '• traumatic brain injury'

🔍 parse_program: starting at line 4993: '• traumatic brain injury'
  ➜ Title candidate: '• traumatic brain injury'
  ❌ Invalid title line: '• traumatic brain injury'
  ➜ Parsing at 4994: '• depression'

🔍 parse_program: starting at line 4994: '• depression'
  ➜ Title candidate: '• depression'
  ❌ Invalid title line: '• depression'
  ➜ Parsing at 4995: 'These processes are relevant to advanced nursing practice because of their prevalence and impact on the healthcare system and the health of the'

🔍 parse_program: starting at line 4995: 'These processes are relevant to advanced nursing practice because of their prevalence and impact on the healthcare system and the health of the'
  ➜ Title candidate: 'These processes are relevant to advanced nursing practice because of their prevalence and impact on the healthcare system and the health of the'
  ❌ Invalid title line: 'These processes are relevant to advanced nursing practice because of their prevalence and impact on the healthcare system and the health of the'
  ➜ Parsing at 4996: 'nation.'

🔍 parse_program: starting at line 4996: 'nation.'
  ➜ Title candidate: 'nation.'
  ❌ Invalid title line: 'nation.'
  ➜ Parsing at 4997: 'C157 - Essentials of Advanced Nursing Practice Field Experience - The Essentials of Advanced Nursing Practice Field Experience course gives'

🔍 parse_program: starting at line 4997: 'C157 - Essentials of Advanced Nursing Practice Field Experience - The Essentials of Advanced Nursing Practice Field Experience course gives'
  ➜ Title candidate: 'C157 - Essentials of Advanced Nursing Practice Field Experience - The Essentials of Advanced Nursing Practice Field Experience course gives'
  ❌ Invalid title line: 'C157 - Essentials of Advanced Nursing Practice Field Experience - The Essentials of Advanced Nursing Practice Field Experience course gives'
  ➜ Parsing at 4998: 'you an opportunity to apply leadership knowledge to evaluate a healthcare facility and then recommend an organizational change to improve'

🔍 parse_program: starting at line 4998: 'you an opportunity to apply leadership knowledge to evaluate a healthcare facility and then recommend an organizational change to improve'
  ➜ Title candidate: 'you an opportunity to apply leadership knowledge to evaluate a healthcare facility and then recommend an organizational change to improve'
  ❌ Invalid title line: 'you an opportunity to apply leadership knowledge to evaluate a healthcare facility and then recommend an organizational change to improve'
  ➜ Parsing at 4999: 'population health. In this course you will integrate and apply your learning in a clinical experience working with a nurse leader. You will demonstrate'

🔍 parse_program: starting at line 4999: 'population health. In this course you will integrate and apply your learning in a clinical experience working with a nurse leader. You will demonstrate'
  ➜ Title candidate: 'population health. In this course you will integrate and apply your learning in a clinical experience working with a nurse leader. You will demonstrate'
  ❌ Invalid title line: 'population health. In this course you will integrate and apply your learning in a clinical experience working with a nurse leader. You will demonstrate'
  ➜ Parsing at 5000: 'and document the following skills:'

🔍 parse_program: starting at line 5000: 'and document the following skills:'
  ➜ Title candidate: 'and document the following skills:'
  ❌ Invalid title line: 'and document the following skills:'
  ➜ Parsing at 5001: '• lead change to improve quality health in populations'

🔍 parse_program: starting at line 5001: '• lead change to improve quality health in populations'
  ➜ Title candidate: '• lead change to improve quality health in populations'
  ❌ Invalid title line: '• lead change to improve quality health in populations'
  ➜ Parsing at 5002: '• advance a culture of excellence through lifelong learning'

🔍 parse_program: starting at line 5002: '• advance a culture of excellence through lifelong learning'
  ➜ Title candidate: '• advance a culture of excellence through lifelong learning'
  ❌ Invalid title line: '• advance a culture of excellence through lifelong learning'
  ➜ Parsing at 5003: '• build and lead collaborative interprofessional care teams'

🔍 parse_program: starting at line 5003: '• build and lead collaborative interprofessional care teams'
  ➜ Title candidate: '• build and lead collaborative interprofessional care teams'
  ❌ Invalid title line: '• build and lead collaborative interprofessional care teams'
  ➜ Parsing at 5004: '• navigate and integrate care services across the healthcare system'

🔍 parse_program: starting at line 5004: '• navigate and integrate care services across the healthcare system'
  ➜ Title candidate: '• navigate and integrate care services across the healthcare system'
  ❌ Invalid title line: '• navigate and integrate care services across the healthcare system'
  ➜ Parsing at 5005: '• design innovative nursing practices'

🔍 parse_program: starting at line 5005: '• design innovative nursing practices'
  ➜ Title candidate: '• design innovative nursing practices'
  ❌ Invalid title line: '• design innovative nursing practices'
  ➜ Parsing at 5006: '• translate evidence into practice'

🔍 parse_program: starting at line 5006: '• translate evidence into practice'
  ➜ Title candidate: '• translate evidence into practice'
  ❌ Invalid title line: '• translate evidence into practice'
  ➜ Parsing at 5007: 'C158 - Organizational Leadership and Interprofessional Team Development - This graduate-level course builds on baccalaureate-level leadership'

🔍 parse_program: starting at line 5007: 'C158 - Organizational Leadership and Interprofessional Team Development - This graduate-level course builds on baccalaureate-level leadership'
  ➜ Title candidate: 'C158 - Organizational Leadership and Interprofessional Team Development - This graduate-level course builds on baccalaureate-level leadership'
  ❌ Invalid title line: 'C158 - Organizational Leadership and Interprofessional Team Development - This graduate-level course builds on baccalaureate-level leadership'
  ➜ Parsing at 5008: 'knowledge to develop application skills in complex healthcare environments with diverse teams. Graduates will develop knowledge and competencies'

🔍 parse_program: starting at line 5008: 'knowledge to develop application skills in complex healthcare environments with diverse teams. Graduates will develop knowledge and competencies'
  ➜ Title candidate: 'knowledge to develop application skills in complex healthcare environments with diverse teams. Graduates will develop knowledge and competencies'
  ❌ Invalid title line: 'knowledge to develop application skills in complex healthcare environments with diverse teams. Graduates will develop knowledge and competencies'
  ➜ Parsing at 5009: 'in the following areas:'

🔍 parse_program: starting at line 5009: 'in the following areas:'
  ➜ Title candidate: 'in the following areas:'
  ❌ Invalid title line: 'in the following areas:'
  ➜ Parsing at 5010: '• leadership theory'

🔍 parse_program: starting at line 5010: '• leadership theory'
  ➜ Title candidate: '• leadership theory'
  ❌ Invalid title line: '• leadership theory'
  ➜ Parsing at 5011: '• systems and complexity theory'

🔍 parse_program: starting at line 5011: '• systems and complexity theory'
  ➜ Title candidate: '• systems and complexity theory'
  ❌ Invalid title line: '• systems and complexity theory'
  ➜ Parsing at 5012: '• advanced communication'

🔍 parse_program: starting at line 5012: '• advanced communication'
  ➜ Title candidate: '• advanced communication'
  ❌ Invalid title line: '• advanced communication'
  ➜ Parsing at 5013: '• building consensus'

🔍 parse_program: starting at line 5013: '• building consensus'
  ➜ Title candidate: '• building consensus'
  ❌ Invalid title line: '• building consensus'
  ➜ Parsing at 5014: 'Knowledge, skills, and abilities related to creating cultures of safety and leading quality improvement are key parts of this course and of contemporary'

🔍 parse_program: starting at line 5014: 'Knowledge, skills, and abilities related to creating cultures of safety and leading quality improvement are key parts of this course and of contemporary'
  ➜ Title candidate: 'Knowledge, skills, and abilities related to creating cultures of safety and leading quality improvement are key parts of this course and of contemporary'
  ❌ Invalid title line: 'Knowledge, skills, and abilities related to creating cultures of safety and leading quality improvement are key parts of this course and of contemporary'
  ➜ Parsing at 5015: 'leadership. Most importantly, students will develop and establish deep understanding of leadership roles within organizations, a central theme in the'

🔍 parse_program: starting at line 5015: 'leadership. Most importantly, students will develop and establish deep understanding of leadership roles within organizations, a central theme in the'
  ➜ Title candidate: 'leadership. Most importantly, students will develop and establish deep understanding of leadership roles within organizations, a central theme in the'
  ❌ Invalid title line: 'leadership. Most importantly, students will develop and establish deep understanding of leadership roles within organizations, a central theme in the'
  ➜ Parsing at 5016: 'course. Upon successful completion of this course, Students will demonstrate:'

🔍 parse_program: starting at line 5016: 'course. Upon successful completion of this course, Students will demonstrate:'
  ➜ Title candidate: 'course. Upon successful completion of this course, Students will demonstrate:'
  ❌ Invalid title line: 'course. Upon successful completion of this course, Students will demonstrate:'
  ➜ Parsing at 5017: '• critical decision making, critical analysis, and visionary thinking to lead and affect positive healthcare environments;'

🔍 parse_program: starting at line 5017: '• critical decision making, critical analysis, and visionary thinking to lead and affect positive healthcare environments;'
  ➜ Title candidate: '• critical decision making, critical analysis, and visionary thinking to lead and affect positive healthcare environments;'
  ❌ Invalid title line: '• critical decision making, critical analysis, and visionary thinking to lead and affect positive healthcare environments;'
  ➜ Parsing at 5018: '• the ability to build consensus and communicate a compelling vision that facilitates teamwork.'

🔍 parse_program: starting at line 5018: '• the ability to build consensus and communicate a compelling vision that facilitates teamwork.'
  ➜ Title candidate: '• the ability to build consensus and communicate a compelling vision that facilitates teamwork.'
  ❌ Invalid title line: '• the ability to build consensus and communicate a compelling vision that facilitates teamwork.'
  ➜ Parsing at 5019: 'C159 - Policy, Politics, and Global Health Trends - Social, political, and economic factors influence policies that impact health outcomes in acute'

🔍 parse_program: starting at line 5019: 'C159 - Policy, Politics, and Global Health Trends - Social, political, and economic factors influence policies that impact health outcomes in acute'
  ➜ Title candidate: 'C159 - Policy, Politics, and Global Health Trends - Social, political, and economic factors influence policies that impact health outcomes in acute'
  ❌ Invalid title line: 'C159 - Policy, Politics, and Global Health Trends - Social, political, and economic factors influence policies that impact health outcomes in acute'
  ➜ Parsing at 5020: 'care settings in communities, nationally and globally. Nurse leaders need to understand the determinants of health as well as how legal and regulatory'

🔍 parse_program: starting at line 5020: 'care settings in communities, nationally and globally. Nurse leaders need to understand the determinants of health as well as how legal and regulatory'
  ➜ Title candidate: 'care settings in communities, nationally and globally. Nurse leaders need to understand the determinants of health as well as how legal and regulatory'
  ❌ Invalid title line: 'care settings in communities, nationally and globally. Nurse leaders need to understand the determinants of health as well as how legal and regulatory'
  ➜ Parsing at 5021: 'processes, healthcare finances, research, the role of professional organizations, and special interest groups/lobbyists impact health outcomes.This'

🔍 parse_program: starting at line 5021: 'processes, healthcare finances, research, the role of professional organizations, and special interest groups/lobbyists impact health outcomes.This'
  ➜ Title candidate: 'processes, healthcare finances, research, the role of professional organizations, and special interest groups/lobbyists impact health outcomes.This'
  ❌ Invalid title line: 'processes, healthcare finances, research, the role of professional organizations, and special interest groups/lobbyists impact health outcomes.This'
  ➜ Parsing at 5022: 'course provides a framework for understanding the organization of healthcare delivery and financing systems in the U.S. and other nations. It'

🔍 parse_program: starting at line 5022: 'course provides a framework for understanding the organization of healthcare delivery and financing systems in the U.S. and other nations. It'
  ➜ Title candidate: 'course provides a framework for understanding the organization of healthcare delivery and financing systems in the U.S. and other nations. It'
  ❌ Invalid title line: 'course provides a framework for understanding the organization of healthcare delivery and financing systems in the U.S. and other nations. It'
  ➜ Parsing at 5023: 'addresses how policies are made and factors that influence policies at local, national, and global levels that impact health/wellness and the nursing'

🔍 parse_program: starting at line 5023: 'addresses how policies are made and factors that influence policies at local, national, and global levels that impact health/wellness and the nursing'
  ➜ Title candidate: 'addresses how policies are made and factors that influence policies at local, national, and global levels that impact health/wellness and the nursing'
  ❌ Invalid title line: 'addresses how policies are made and factors that influence policies at local, national, and global levels that impact health/wellness and the nursing'
  ➜ Parsing at 5024: 'profession. The roles of values, ethical theories, stakeholder interests, research, and recent legislation related to health policy and health outcomes'

🔍 parse_program: starting at line 5024: 'profession. The roles of values, ethical theories, stakeholder interests, research, and recent legislation related to health policy and health outcomes'
  ➜ Title candidate: 'profession. The roles of values, ethical theories, stakeholder interests, research, and recent legislation related to health policy and health outcomes'
  ❌ Invalid title line: 'profession. The roles of values, ethical theories, stakeholder interests, research, and recent legislation related to health policy and health outcomes'
  ➜ Parsing at 5025: 'will be explored. The nurse leader will gain expertise in effecting change through active participation in influencing or developing policies that impact'

🔍 parse_program: starting at line 5025: 'will be explored. The nurse leader will gain expertise in effecting change through active participation in influencing or developing policies that impact'
  ➜ Title candidate: 'will be explored. The nurse leader will gain expertise in effecting change through active participation in influencing or developing policies that impact'
  ❌ Invalid title line: 'will be explored. The nurse leader will gain expertise in effecting change through active participation in influencing or developing policies that impact'
  ➜ Parsing at 5026: 'health.'

🔍 parse_program: starting at line 5026: 'health.'
  ➜ Title candidate: 'health.'
  ❌ Invalid title line: 'health.'
  ➜ Parsing at 5027: '© Western Governors University 7/19/17 148'

🔍 parse_program: starting at line 5027: '© Western Governors University 7/19/17 148'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'C160 - Facilitating Learning in the 21st Century - This course applies traditional learning theories in contemporary nursing practice, using 21st-'
  ➜ Skipping stray line: 'century educational paradigms. Students will examine and experiment with various educational ideas including: nursing curricula development,'
  ➜ Skipping stray line: 'facilitated learner development and diversity, assessment and evaluation strategies of learners, and evaluation of course and program outcomes.'
  ➜ Skipping stray line: 'C161 - Principles of Organizational Performance Management - This is the first specialization course in the nursing leadership and management'
  ➜ Skipping stray line: 'track. Building on core coursework in the master’s program, future nurse leaders examine the roles, responsibilities, and expectations of managers in'
  ➜ Skipping stray line: 'maximizing productivity and performance in healthcare organizations. They will explore leadership issues, including how to build and motivate a team,'
  ➜ Skipping stray line: 'organize staff development (including legal and ethical issues), and budget resources and time. This course encourages future nurse leaders to'
  ➜ Skipping stray line: 'examine administration from a systems perspective, relying on evidence to inform their practice.'
  ➜ Skipping stray line: 'C162 - Principles of Healthcare Business and Financial Management - Business and financial healthcare practices have a significant impact on'
  ➜ Skipping stray line: 'organizational outcomes. In this course, future nurse leaders examine scarce resources, financial principles, and tools for financial and business'
  ➜ Skipping stray line: 'management. They will also use financial budgeting and management practices and analyze the impact of regulations on the current healthcare'
  ➜ Skipping stray line: 'environment.'
  ➜ Skipping stray line: 'C163 - Strategic Leadership and Future Delivery Models - This graduate-level course emphasizes strategic leadership in healthcare, focusing on'
  ➜ Skipping stray line: 'the trends and directions in the industry and the future of healthcare delivery. Future nurse leaders will have the opportunity to explore how the'
  ➜ Skipping stray line: 'strategic planning processes incorporates healthcare trends and the evolution of healthcare systems, methods and concepts in strategic leadership,'
  ➜ Skipping stray line: 'and the ever-changing technology in healthcare.'
  ➜ Skipping stray line: 'C164 - Introduction to Physics - This course provides students with a comprehensive overview of the basic principles and unifying concepts of'
  ➜ Skipping stray line: 'physics. Students will integrate conceptual knowledge with practical and laboratory skills. The primary audience of this course are IT majors with focus'
  ➜ Skipping stray line: 'on application. The course contains interactives, reading materials, and laboratory application to help students develop a broad understanding of the'
  ➜ Skipping stray line: 'practical applications of scientific concepts. Instructional content is enhanced by e-interactives and laboratory activities that will give students hands on'
  ➜ Skipping stray line: 'knowledge and experience. Focus of materials are on why science is important to everyday life, practical application, and conceptual understanding.'
  ➜ Skipping stray line: 'The quantitative aspects of physics will be explored as they relate to modern problems and challeges of the everyday world. Asynchronous and cohort'
  ➜ Skipping stray line: 'experiences may be part of the learning experience in which community will support the educational process.'
  ➜ Skipping stray line: 'C165 - Integrated Physical Sciences - This course provides students with an overview of the basic principles and unifying ideas of the physical'
  ➜ Skipping stray line: 'sciences: physics, chemistry, and Earth sciences. Course materials focus on scientific reasoning and practical and everyday applications of physical'
  ➜ Skipping stray line: 'science concepts to help students integrate conceptual knowledge with practical skills.'
  ➜ Skipping stray line: 'C168 - Critical Thinking and Logic - Reasoning and Problem Solving helps students internalize a systematic process for exploring issues that takes'
  ➜ Skipping stray line: 'them beyond an unexamined point of view and encourages them to become more self-aware thinkers by applying principles of problem identification'
  ➜ Skipping stray line: 'and clarification, planning and information gathering, identifying assumptions and values, analysis and interpretation of information and data, reaching'
  ➜ Skipping stray line: 'well-founded conclusions, and identifying the role of critical thinking in the disciplines and professions.'
  ➜ Skipping stray line: 'C169 - Scripting and Programming - Applications - This course provides an introduction to programming. It covers data structures, algorithms, and'
  ➜ Skipping stray line: 'programming paradigms. It presents the concept of an object as well as the object-oriented paradigm and its importance. A survey of languages is'
  ➜ Skipping stray line: 'covered and the distinction between interpreted and compiled languages is introduced.'
  ➜ Skipping stray line: 'C170 - Data Management - Applications - This course covers conceptual data modeling and provides an introduction to MySQL. Students will learn'
  ➜ Skipping stray line: 'how to create simple to complex SELECT queries including subqueries and joins, and will also learn how to use SQL to update and delete data.'
  ➜ Skipping stray line: 'Topics covered in this course include exposure to MySQL; developing physical schemas; creating and modifying databases, tables, views, foreign'
  ➜ Skipping stray line: 'keys/primary keys (FKs/PKs), and indexes; populating tables; and developing simple Select-From-Where (SFW) queries to complex 3+ table join'
  ➜ Skipping stray line: 'queries.'
  ➜ Skipping stray line: 'C172 - Network and Security - Foundations - Network and Security - Foundations introduces students to the components of a computer network'
  ➜ Skipping stray line: 'and the concept and role of communication protocols. The course will cover widely used categorical classifications of networks (i.e. LAN, MAN, WAN,'
  ➜ Skipping stray line: 'PAN, and VPN) as well as network topologies, physical devices, and layered abstraction. The course will also introduce students to basic concepts of'
  ➜ Skipping stray line: 'security covering vulnerabilities of networks and mitigation techniques, security of physical media, and security policies and procedures.'
  ➜ Skipping stray line: 'C173 - Scripting and Programming - Foundations - This course provides an introduction to programming covering data structures, algorithms, and'
  ➜ Skipping stray line: 'programming paradigms. The course presents the student with the concept of an object as well as the object-oriented paradigm and its importance. A'
  ➜ Skipping stray line: 'survey of languages is covered and the distinction between interpreted and compiled languages is introduced.'
  ➜ Skipping stray line: 'C175 - Data Management - Foundations - This course introduces students to the concepts and terminology used in the field of data management.'
  ➜ Skipping stray line: 'They will be introduced to Structured Query Language (SQL) and will learn how to use Data Definition Language (DDL) and Data Manipulation'
  ➜ Skipping stray line: 'Language (DML) commands to define, retrieve, and manipulate data. This course covers differentiations of data—structured vs. unstructured and'
  ➜ Skipping stray line: 'quasi-structured (relational, hierarchical, XML, textual, visual, etc); it also covers aspects of data management (quality, policy, storage methodologies).'
  ➜ Skipping stray line: 'Foundational concepts of data security are included.'
  ➜ Skipping stray line: 'C176 - Business of IT - Project Management - In this course, students will build on industry standard concepts, techniques, and processes to'
  ➜ Skipping stray line: 'develop a comprehensive foundation for project management activities. During a project's life cycle, students will develop the critical skills necessary'
  ➜ Skipping stray line: 'to initiate, plan, execute, monitor, control, and close a project. Students will apply best practices in areas such as scope management, resource'
  ➜ Skipping stray line: 'allocation, project planning, project scheduling, quality control, risk management, performance measurement, and project reporting. This course'
  ➜ Skipping stray line: 'prepares students for the following certification exam: CompTIA Project+.'
  ➜ Skipping stray line: 'C178 - Network and Security - Applications - This course prepares students for the following certification exam: CompTIA Security+.'
  ➜ Skipping stray line: 'C179 - Business of IT - Applications - This course introduces IT students to information systems (IS). The course includes important topics related'
  ➜ Skipping stray line: 'to management of information systems (MIS), such as system development, and business continuity. The course also provides an overview of'
  ➜ Skipping stray line: 'management tools and issue tracking systems.'
  ➜ Skipping stray line: 'C180 - Introduction to Psychology - In this course, students will develop an understanding of psychology and how it helps them better understand'
  ➜ Skipping stray line: 'others and themselves. Students will learn general theories about psychological development, the structure of the brain, and how psychologists study'
  ➜ Skipping stray line: 'behavior. They will gain an understanding of both normal and disordered psychological behaviors, as well as general applications of the science of'
  ➜ Skipping stray line: 'psychology in society (such as personality typing and counseling).'
  ➜ Skipping stray line: 'C181 - Survey of United States Constitution and Government - This course is an introduction to the U.S. Constitution and the U.S. government.'
  ➜ Skipping stray line: 'Topics include (1) structure and relevance of the U.S. Constitution, (2) structure and function of governmental branches, and (3) political participation'
  ➜ Skipping stray line: 'and policy making.'
  ➜ Skipping stray line: 'C182 - Introduction to IT - This course introduces students to information technology as a discipline and the various roles and functions of the IT'
  ➜ Skipping stray line: 'department as business support. Students are presented with various IT disciplines including systems and services, network and security, scripting'
  ➜ Skipping stray line: 'and programming, data management, and business of IT, with a survey of technologies in every area and how they relate to each other and to the'
  ➜ Skipping stray line: 'business.'
  ➜ Skipping stray line: 'C185 - Network Policies and Services Management - This course prepares students for the following certification exam: MCSA: Installing and'
  ➜ Skipping stray line: 'Configuring Windows Server.'
  ➜ Skipping stray line: 'C186 - Server Administration - This course prepares students for the following certification exam: MCSA: Administering Windows Server.'
  ➜ Skipping stray line: 'C187 - Network Reliability and Fault Tolerance - This course prepares students for the following certification exam: MCSA: Configuring Advanced'
  ➜ Skipping stray line: 'Windows Server.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 149'
  ➜ Skipping stray line: 'C188 - Software Engineering - This course introduces the concepts of software engineering to IT core graduates. It is a standalone course that is'
  ➜ Skipping stray line: 'critical to the IT program. It emphasizes the need for a disciplined approach to software engineering by providing an overview of software and software'
  ➜ Skipping stray line: 'engineering processes and why they are challenging. A generic process framework is covered to provide the groundwork for formal process models.'
  ➜ Skipping stray line: 'Prescriptive process models (e.g., Waterfall Model) and Agile Development is included. An introduction to the elements/phases of software'
  ➜ Skipping stray line: 'engineering is introduced which includes Requirements Engineering (including UML, Use Cases), Design Concepts, Software Quality and Software'
  ➜ Skipping stray line: 'Testing, and Project Management.'
  ➜ Skipping stray line: 'C189 - Data Structures - Students will learn the fundamentals of dynamic data structures, such as bags, lists, stacks, queues, trees, hash tables, and'
  ➜ Skipping stray line: 'their associated algorithms, using object-oriented design and abstract data types as a design paradigm. The course emphasizes problem solving and'
  ➜ Skipping stray line: 'techniques applied to the design of efficient, maintainable software applications. Students will implement simple applications using the techniques'
  ➜ Skipping stray line: 'learned.'
  ➜ Skipping stray line: 'C190 - Introduction to Biology - This course is a foundational introduction to the biological sciences. The overarching theories of life from biological'
  ➜ Skipping stray line: 'research are explored as well as the fundamental concepts and principles of the study of living organisms and their interaction with the environment.'
  ➜ Skipping stray line: 'Key concepts include how living organisms use and produce energy; how life grows, develops, and reproduces; how life responds to the environment'
  ➜ Skipping stray line: 'to maintain internal stability; and how life evolves and adapts to the environment.'
  ➜ Skipping stray line: 'C191 - Operating Systems for Programmers - This course covers operating systems from the perspective of a programmer including the placement'
  ➜ Skipping stray line: 'of the operating system in the layered application development model. Primarily OSs provide Memory Management, Task Scheduling, and CPU'
  ➜ Skipping stray line: 'allocation. Secondarily, OSs provide tools for file storage/access, permission control, event handling, network access, and cross-process interaction.'
  ➜ Skipping stray line: 'OSs also provide tools for debugging problems within a single process or within groups of programs.'
  ➜ Skipping stray line: 'C192 - Data Management for Programmers - This course introduces storage of various kinds and formats of data. Students will use standard SQL to'
  ➜ Skipping stray line: 'demonstrate query capabilities provided by database management systems. The course will further cover data-related topics: data presentation,'
  ➜ Skipping stray line: 'security (access and encryption), transaction management, and administration (backup, disaster recovery, and performance tuning). This course will'
  ➜ Skipping stray line: 'address advanced topics such as data warehousing, data mining and distributed databases.'
  ➜ Skipping stray line: 'C193 - Client-Server Application Development - This course introduces students to client/server application programming classes, structures, and'
  ➜ Skipping stray line: 'concepts. The course covers networking and client/server, streams, threads, URLs, URIs, HTTP, and socket programming concepts.'
  ➜ Skipping stray line: 'C195 - Software II - Advanced Java Concepts - Software II – Advanced Java Concepts refines object-oriented programming expertise and builds'
  ➜ Skipping stray line: 'database and file server application development skills. You will learn about and put into action lambda expressions, collections, input/output,'
  ➜ Skipping stray line: 'advanced error handling, and the newest features of Java 8 to develop software that meets business requirements. This course requires intermediate'
  ➜ Skipping stray line: 'expertise in object-oriented programming and the Java language.'
  ➜ Skipping stray line: 'C196 - Mobile Application Development - This course introduces students to programming for mobile devices using a Software Development Kit'
  ➜ Skipping stray line: '(SDK). Students with previous knowledge of programming will learn how to install and utilize a SDK, build a basic mobile application, build a mobile'
  ➜ Skipping stray line: 'applications using a graphical user interface(GUI), adapt applications to different mobile devices, save data, execute and debug mobile applications'
  ➜ Skipping stray line: 'using emulators, and deploy a mobile application.'
  ➜ Skipping stray line: 'C200 - Managing Organizations and Leading People - This course covers principles of effective management and leadership that maximize'
  ➜ Skipping stray line: 'organizational performance. The following topics are included: the role and functions of a manager, analysis of personal leadership styles, approaches'
  ➜ Skipping stray line: 'to self-awareness and self-assessment, and application of foundational leadership and management skills.'
  ➜ Skipping stray line: 'C201 - Business Acumen - This course introduces you to the operation of the business enterprise and the role of management in directing its'
  ➜ Skipping stray line: 'activities. You will examine the roles of management in the context of business functions such as marketing, operations, accounting, finance, and'
  ➜ Skipping stray line: 'others.'
  ➜ Skipping stray line: 'C202 - Managing Human Capital - This course focuses on strategies and tools that managers use to maximize employee contribution and create'
  ➜ Skipping stray line: 'organizational excellence. You will learn talent management strategies to motivate and develop employees as well as best practices to manage'
  ➜ Skipping stray line: 'performance for added value.'
  ➜ Skipping stray line: 'C203 - Becoming an Effective Leader - This course explores major theories and approaches to leadership, leadership style evaluation, and personal'
  ➜ Skipping stray line: 'leadership development while focusing on motivation, development, and achievement of others. You will learn how to influence followers, manage'
  ➜ Skipping stray line: 'organizational culture, and enhance your effectiveness as a leader.'
  ➜ Skipping stray line: 'C204 - Management Communication - This course prepares you for the communication challenges in organizations. Topics examined include:'
  ➜ Skipping stray line: 'theories and strategies of communication, persuasion, conflict management and ethics that enhance communication to various audiences.'
  ➜ Skipping stray line: 'C205 - Leading Teams - This course helps you establish team objectives, align the team purpose with organizational goals, build credibility and trust,'
  ➜ Skipping stray line: 'and develop the talents of individuals to enhance team performance.'
  ➜ Skipping stray line: 'C206 - Ethical Leadership - This course examines the ethical issues and dilemmas managers face. This course provides a framework for analysis of'
  ➜ Skipping stray line: 'management-related ethical issues and decision-making action required for satisfactory resolution of these issues.'
  ➜ Skipping stray line: 'C207 - Data-Driven Decision Making - This course presents critical problem-solving methodologies, including field research and data collection'
  ➜ Skipping stray line: 'methods that enhance organizational performance. Topics include quantitative analysis, statistical and quality tools. You will improve your ability to'
  ➜ Skipping stray line: 'use data to make informed decisions.'
  ➜ Skipping stray line: 'C208 - Change Management and Innovation - This course provides an overview of change theories and innovation practices. This course will'
  ➜ Skipping stray line: 'emphasize the role of leadership in influencing and managing change in response to challenges and opportunities facing organizations.'
  ➜ Skipping stray line: 'C209 - Strategic Management - This course focuses on models and practices of strategic management including developing and implementing both'
  ➜ Skipping stray line: 'short and long term strategy and evaluating performance to achieve strategic goals and objectives.'
  ➜ Skipping stray line: 'C210 - Management and Leadership Capstone - This course is the culminating assessment of the MSML curriculum and requires you to synthesize'
  ➜ Skipping stray line: 'core knowledge from across the degree program and apply research skills in order to improve an organization. You will be asked to work with a real-'
  ➜ Skipping stray line: 'world organization to address a management or leadership challenge.'
  ➜ Skipping stray line: 'C211 - Global Economics for Managers - This course examines how economic tools, techniques, and indicators can be used for solving'
  ➜ Skipping stray line: 'organizational problems related to competitiveness, productivity, and growth. You will explore the management implications of a variety of economic'
  ➜ Skipping stray line: 'concepts and effective strategies to make decisions within a global context.'
  ➜ Skipping stray line: 'C212 - Marketing - This course will focus on the marketing function and its impact on the overall success of an organization. Topics include consumer'
  ➜ Skipping stray line: 'behavior, marketing theories and strategies, product positioning, the competitive environment, and effectiveness of the marketing function. A key'
  ➜ Skipping stray line: 'element of the course will include the relationship of the “marketing mix” to strategic planning.'
  ➜ Skipping stray line: 'C213 - Accounting for Decision Makers - This course provides you with the accounting knowledge and skills to assess and manage a business.'
  ➜ Skipping stray line: 'Topics include the accounting cycle, financial statements, taxes, and budgeting. You will improve your ability to understand reports and use'
  ➜ Skipping stray line: 'accounting information to plan and make sound business decisions.'
  ➜ Skipping stray line: 'C214 - Financial Management - This course covers practical approaches to analysis and decision making in the administration of corporate funds,'
  ➜ Skipping stray line: 'including capital budgeting, working capital management, and cost of capital. Topics include financial planning, management of working capital,'
  ➜ Skipping stray line: 'analysis of investment opportunities, sources of long-term financing, government regulations, and global influences. You will improve your ability to'
  ➜ Skipping stray line: 'interpret financial statements and manage corporate finances.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 150'
  ➜ Skipping stray line: 'C215 - Operations Management - This course focuses on the strategic importance of operations management to overall performance. This course'
  ➜ Skipping stray line: 'also emphasizes principles of supply chain management relevant to a variety of business operations ranging from manufacturing goods to retail'
  ➜ Skipping stray line: 'services. You will examine the various planning, control, and decision-making tools and techniques of the operations function.'
  ➜ Skipping stray line: 'C216 - MBA Capstone - This course is the culminating assessment of the MBA curriculum and covers all previous assessment topics. You will work'
  ➜ Skipping stray line: 'with a real-world organization to develop a solution to a business problem. In addition, you will work in teams of three or four students to simulate'
  ➜ Skipping stray line: 'running a business. One unique aspect of the simulation is that there are scheduled dates each week for simulation decisions. Since all teams are'
  ➜ Skipping stray line: 'required to meet the deadlines and work at the same pace this aspect of the assessment cannot be accelerated.'
  ➜ Skipping stray line: 'C217 - Human Growth and Development Across the Lifespan - This course introduces students to human development across the lifespan. This'
  ➜ Skipping stray line: 'will include an introductory survey of cognitive, psychological, and physical growth. Students will gain an understanding in regards to the emergence of'
  ➜ Skipping stray line: 'personality, identity, gender and sexuality, social relationships, emotion, language, and moral development through life. This will include milestones'
  ➜ Skipping stray line: 'such as education, achievement, work, dying, and death.'
  ➜ Skipping stray line: 'C218 - MBA, Information Technology Management Capstone - This course is the culminating assessment of the MBA, IT Management curriculum'
  ➜ Skipping stray line: 'and focuses on strategic management while allowing for the synthesis of previous assessment topics. You will work in teams of three or four students'
  ➜ Skipping stray line: 'to simulate running a business. One unique aspect of the simulation is that there are scheduled dates each week for simulation decisions. Since all'
  ➜ Skipping stray line: 'teams are required to meet the deadlines and work at the same pace this aspect of the assessment cannot be accelerated.'
  ➜ Skipping stray line: 'C219 - MBA, Healthcare Management Capstone - This course is the culminating assessment of the MBA, Healthcare Management curriculum and'
  ➜ Skipping stray line: 'focuses on strategic management while allowing for the synthesis of previous assessment topics. You will work in teams of three or four students to'
  ➜ Skipping stray line: 'simulate running a business. One unique aspect of the simulation is that there are scheduled dates each week for simulation decisions. Since all'
  ➜ Skipping stray line: 'teams are required to meet the deadlines and work at the same pace this aspect of the assessment cannot be accelerated.'
  ➜ Skipping stray line: 'C224 - Research Foundations - The Research Foundations course focuses on the essential concepts in educational research, including quantitative,'
  ➜ Skipping stray line: 'qualitative, mixed, and action research; measurement and assessment; and strategies for obtaining warranted research results.'
  ➜ Skipping stray line: 'C225 - Research Questions and Literature Review - The Research Questions and Literature Reviews course focuses on how to conduct a thorough'
  ➜ Skipping stray line: 'literature review that addresses and identifies important educational research topics, problems, and questions, and helps determine the appropriate'
  ➜ Skipping stray line: 'kind of research and data needed to answer one's research questions and hypotheses.'
  ➜ Skipping stray line: 'C226 - Research Design and Analysis - The Research Design and Analysis course focuses on applying strategies for effective design of empirical'
  ➜ Skipping stray line: 'research studies. Particular emphasis is placed on selecting or constructing the design that will provide the most valid results, analyzing the kind of'
  ➜ Skipping stray line: 'data that would be obtained, and making defensible interpretations and drawing appropriate conclusions based on the data.'
  ➜ Skipping stray line: 'C227 - Research Proposals - Research Proposals focuses on planning and writing a well-organized and complete research proposal. The'
  ➜ Skipping stray line: 'relationship of the sections in a research proposal to the sections in a research report will be highlighted.'
  ➜ Skipping stray line: 'C228 - Community Health and Population-Focused Nursing - Community Health and Population-Focused Nursing will assist students in becoming'
  ➜ Skipping stray line: 'familiar with foundational theories and models of health promotion applicable to the community health nursing environment. Students will develop an'
  ➜ Skipping stray line: 'understanding of how policies and resources influence the health of populations. Focus is concentrated on learning the importance of a community'
  ➜ Skipping stray line: 'assessment to improve or resolve a community health issue. Students will be introduced to the relationships between cultures and communities and'
  ➜ Skipping stray line: 'the steps necessary to create community collaboration with the goal to improve or resolve community health issues in a variety of settings. Students'
  ➜ Skipping stray line: 'will gain a greater understanding of health systems in the United States, global health issues, quality-of-life issues, cultural influences, community'
  ➜ Skipping stray line: 'collaboration, and emergency preparedness.'
  ➜ Skipping stray line: 'C229 - Community Health and Population-Focused Nursing Field Experience - Community Health and Population-Focused Nursing, Field'
  ➜ Skipping stray line: 'Experience will introduce and familiarize students with clinical aspects of health promotion and disease prevention in the community health nursing'
  ➜ Skipping stray line: 'environment. Students will practice skills based on clinical priorities, methodology, and resources that positively influence the health of populations by'
  ➜ Skipping stray line: 'assessing a primary prevention topic in the community. Students will demonstrate critical thinking skills by applying principals of community health'
  ➜ Skipping stray line: 'nursing in a variety of community settings aligning with the selected primary prevention topic. As part of this process, students will be required to'
  ➜ Skipping stray line: 'complete a minimum of 90 practice hours in order to meet the requirements of the course. Practice hours include direct and indirect hours of activity'
  ➜ Skipping stray line: 'engaged with the community or population chosen as your focus. Students will describe the completed Field Experience in a written assessment that'
  ➜ Skipping stray line: 'will also outline recommendations to improve the community health concern using the nursing process. Students will develop and recommend health'
  ➜ Skipping stray line: 'promotion and disease prevention strategies for population groups.'
  ➜ Skipping stray line: 'C230 - Community Health and Population-Focused Nursing Clinical - This course will assist students to become familiar with clinical aspects of'
  ➜ Skipping stray line: 'health promotion and disease prevention, applicable to the community health nursing environment. Students will practice skills based on clinical'
  ➜ Skipping stray line: 'priorities, methodology, and resources that positively influence the health of populations. Students will demonstrate critical thinking skills by applying'
  ➜ Skipping stray line: 'principals of community health nursing in a varity of settings. Students will design, implement and evaluate a project in community health. Students'
  ➜ Skipping stray line: 'will develop health promotion and disease prevention strategies for population groups.'
  ➜ Skipping stray line: 'C232 - Introduction to Human Resource Management - The course provides an introduction to the management of human resources, the function'
  ➜ Skipping stray line: 'within an organization that focuses on recruitment, management, and direction for the people who work in the organization. Students will be introduced'
  ➜ Skipping stray line: 'to HR topics such as strategic workforce planning and employment; compensation and benefits; training and development; employee and labor'
  ➜ Skipping stray line: 'relations; occupational health, safety and security.'
  ➜ Skipping stray line: 'C233 - Employment Law - This course reviews the legal and regulatory framework surrounding employment, including recruitment, termination, and'
  ➜ Skipping stray line: 'discrimination law. The course topics include employment-at-will, EEO, ADA, OSHA, and other laws affecting the workplace. Students will learn to'
  ➜ Skipping stray line: 'analyze current trends and issues in employment law and apply this knowledge to effectively manage risk in the employment relationship.'
  ➜ Skipping stray line: 'C234 - Workforce Planning: Recruitment and Selection - This course focuses on building a highly skilled workforce by using effective strategies'
  ➜ Skipping stray line: 'and tactics for recruiting, selecting, hiring, and retaining employees.'
  ➜ Skipping stray line: 'C235 - Training and Development - This course focuses on the development of human capital (i.e., growing talent) by applying effective learning'
  ➜ Skipping stray line: 'theories and practices for training and developing employees. Throughout this course, you will develop essential skills for improving and empowering'
  ➜ Skipping stray line: 'organizations through high-caliber training and development processes.'
  ➜ Skipping stray line: 'C236 - Compensation and Benefits - This course develops competence in understanding, designing, and implementing compensation and benefit'
  ➜ Skipping stray line: 'systems in an organization. It uses a Total Rewards perspective to integrate the tangible rewards (e.g., salary, bonuses, etc.) with employee benefits'
  ➜ Skipping stray line: '(e.g., health insurance, retirement plan, etc.) and intangible rewards (e.g., location, work environment, etc.) so that students can use all forms of'
  ➜ Skipping stray line: 'rewards fairly and effectively to enable job satisfaction and organizational performance.'
  ➜ Skipping stray line: 'C237 - Taxation I - This course focuses on the taxation of individuals. It provides an overview of income taxes of both individuals and business'
  ➜ Skipping stray line: 'entities in order to enhance awareness of the complexities and sources of tax law and to measure and analyze the effect of various tax options. The'
  ➜ Skipping stray line: 'course will introduce taxation of sole proprietorships. Students will learn principles of individual taxation and how to develop effective personal tax'
  ➜ Skipping stray line: 'strategies for individuals. Students will also be introduced to tax research of complex taxation issues.'
  ➜ Skipping stray line: 'C238 - Taxation II - Welcome to Taxation II! This course focuses on the taxation of business entities, including corporations, partnerships, and LLCs.'
  ➜ Skipping stray line: 'Important taxation concepts and skills discussed in this course include tax reporting, planning, and research skills applicable to a variety of business'
  ➜ Skipping stray line: 'contexts. The activities you will complete for this course emphasize the role of taxes in business decisions and business strategy.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 151'
  ➜ Skipping stray line: 'C239 - Advanced Tax Concepts - This course is designed to enhance your awareness of the complexities and sources of tax law and to measure'
  ➜ Skipping stray line: 'and analyze the effect of various tax options. This course provides an overview of income taxes on individuals, corporations, associations,'
  ➜ Skipping stray line: 'reorganizations, and corporate distributions. This course emphasizes the role of taxes in business decisions and business strategy.'
  ➜ Skipping stray line: 'C240 - Auditing - This course will walk you through the auditing process, including planning, conducting, documenting, and reporting an audit. You'
  ➜ Skipping stray line: 'will also learn the roles and professional standards of public accountants. This course is designed to help you study for the CPA exam and develop'
  ➜ Skipping stray line: 'essential skills for real-world experience.'
  ➜ Skipping stray line: 'C241 - Business Law for Accountants - Welcome to Business Law for Accountants! While you may have had exposure to other law or even'
  ➜ Skipping stray line: 'business law courses, this course focuses on those areas of the law that traditionally impact accounting-related and business transaction-related'
  ➜ Skipping stray line: 'decision functions. The course represents the legal and accounting concepts governing the conduct of business in the United States. It will cover laws'
  ➜ Skipping stray line: 'and regulations relevant to business operations.'
  ➜ Skipping stray line: 'C242 - Accounting Information Systems - Welcome to Accounting Information Systems! This course introduces a variety of accounting information'
  ➜ Skipping stray line: 'systems and internal controls necessary for effective systems. Students will learn how to document and evaluate the process flows of accounting'
  ➜ Skipping stray line: 'information systems, evaluate internal controls within accounting systems, and use QuickBooks Online.'
  ➜ Skipping stray line: 'C243 - Advanced Financial Accounting - This course builds upon your accounting knowledge by focusing on advanced financial accounting topics'
  ➜ Skipping stray line: 'such as consolidations, partnership accounting, and international accounting.'
  ➜ Skipping stray line: 'C244 - Advanced Auditing - This course introduces the basic concepts, standards, procedures, and practices of auditing, the changing role of the'
  ➜ Skipping stray line: 'independent auditor, professional conduct and ethics, auditor's reporting responsibilities, risk assessment, internal control, evidential matter, and'
  ➜ Skipping stray line: 'management fraud. This course is designed to help you examine how the role of internal and external auditing can best be performed through'
  ➜ Skipping stray line: 'studying cases of audit activities.'
  ➜ Skipping stray line: 'C245 - Accounting Research - The Accounting Research course is an upper level course that builds research application skills through identification'
  ➜ Skipping stray line: 'of accounting issues and researching concepts related to public accounting firms, businesses, and regulating authorities. This course helps students'
  ➜ Skipping stray line: 'develop analytical and research capabilities and apply the technical knowledge of accounting theory and principles to solve complex accounting'
  ➜ Skipping stray line: 'problems.'
  ➜ Skipping stray line: 'C246 - Fundamentals of Interconnecting Network Devices - This course prepares students for the Cisco CCENT certification exam,'
  ➜ Skipping stray line: 'Interconnecting Cisco Networking Devices Part I (ICND1). This is also the first of two exams that lead to Cisco Certified Networking Associate (CCNA)'
  ➜ Skipping stray line: 'certification.'
  ➜ Skipping stray line: 'C247 - Interconnecting Network Devices - This course prepares students for the second Cisco CCNA certification exam, Interconnecting Cisco'
  ➜ Skipping stray line: 'Networking Devices Part 2 (ICND2).'
  ➜ Skipping stray line: 'C248 - Intermediate Accounting I - This is the first of two courses encompassing more advanced accounting concepts. It will offer a more'
  ➜ Skipping stray line: 'comprehensive treatment of concepts learned in previous accounting courses. It will cover accounting standards, the conceptual accounting'
  ➜ Skipping stray line: 'framework, preparation of selected financial statements, time value of money, receivables, fixed assets, intangible assets, and both long- and short-'
  ➜ Skipping stray line: 'term liabilities.'
  ➜ Skipping stray line: 'C249 - Intermediate Accounting II - This is the second of two intermediate accounting courses. This course provides a more comprehensive'
  ➜ Skipping stray line: 'treatment of concepts learned in Fundamentals of Accounting. This course will cover stockholders’ equity, dilutive securities, investments, revenue'
  ➜ Skipping stray line: 'recognition, accounting for income taxes, pensions and post-retirement benefits, leases, financial disclosures, and the preparation of the statement of'
  ➜ Skipping stray line: 'cash flows.'
  ➜ Skipping stray line: 'C250 - Cost and Managerial Accounting - The Cost and Managerial Accounting course will cover managerial accounting as part of the information'
  ➜ Skipping stray line: 'managers’ use for planning and controlling operations. It prepares students to consider cost behavior and employ various cost methods. Job-order'
  ➜ Skipping stray line: 'costing, process costing, and activity-based costing methods will be covered, along with cost-benefit analysis, standard costing, variance analysis, and'
  ➜ Skipping stray line: 'cost reporting.'
  ➜ Skipping stray line: 'C251 - Accounting Capstone - This course is the culminating assessment of the accounting curriculum and requires students to synthesize core'
  ➜ Skipping stray line: 'knowledge from across the degree program and apply accounting skills to benefit an organization. Students will be asked to work with case studies to'
  ➜ Skipping stray line: 'address an accounting challenge.'
  ➜ Skipping stray line: 'C252 - Governmental and Nonprofit Accounting - This course is designed to be an introduction to the theory and practice of accounting in'
  ➜ Skipping stray line: 'governmental and nonprofit entities. The course includes a thorough examination of the process of analyzing and recording transactions by'
  ➜ Skipping stray line: 'governmental and nonprofit organization and their preparation of financial statements in accordance with Financial Accounting Board (FASB) and'
  ➜ Skipping stray line: 'Governmental Accounting Standards Board (GASB) standards. This course includes accounting for governmental and nonprofit entities (local, state,'
  ➜ Skipping stray line: 'and federal) and voluntary organizations.'
  ➜ Skipping stray line: 'C253 - Advanced Managerial Accounting - This course introduces the complexity and functionality of managerial accounting systems within an'
  ➜ Skipping stray line: 'organization. It covers the topics of product costing (including Activity Based Costing), decision making (including capital budgeting), profitability'
  ➜ Skipping stray line: 'analysis, budgeting, performance evaluation, and reporting related to managerial decision-making. This course provides the opportunity for a detailed'
  ➜ Skipping stray line: 'study of how managerial accounting information supports the operational and strategic needs of an organization and how managers use accounting'
  ➜ Skipping stray line: 'information for decision-making, planning and controlling activities within organizations.'
  ➜ Skipping stray line: 'C254 - Fraud and Forensic Accounting - This course provides a framework for detecting and preventing financial statement fraud. Topics include'
  ➜ Skipping stray line: 'the profession’s focus and legislation of fraud, revenue- and inventory-related fraud, and liability, asset, and inadequate disclosure fraud.'
  ➜ Skipping stray line: 'C255 - Introduction to Geography - This course will discuss geographic concepts, places and regions, physical and human systems and the'
  ➜ Skipping stray line: 'environment.'
  ➜ Skipping stray line: 'C263 - The Ocean Systems - In this course, learners investigate the complex ocean system by looking at the way its components—atmosphere,'
  ➜ Skipping stray line: 'biosphere, geosphere, hydrosphere—interact. Specific topics include: origins of Earth’s oceans and the early history of life; physical characteristics'
  ➜ Skipping stray line: 'and geologic processes of the ocean floor; chemistry of the water molecule; energy flow between air and water, and how ocean surface currents and'
  ➜ Skipping stray line: 'deep circulation patterns affect weather and climate; marine biology and why ecosystems are an integral part of the ocean system; the effects of'
  ➜ Skipping stray line: 'human activity; and the role of professional educators in teaching about ocean systems.'
  ➜ Skipping stray line: 'C264 - Climate Change - This course explores the science of climate change. Students will learn how the climate system works; what factors cause'
  ➜ Skipping stray line: 'climate to change across different time scales and how those factors interact; how climate has changed in the past; how scientists use models,'
  ➜ Skipping stray line: 'observations and theory to make predictions about future climate; and the possible consequences of climate change for our planet. The course'
  ➜ Skipping stray line: 'explores evidence for changes in ocean temperature, sea level and acidity due to global warming. Students will learn how climate change today is'
  ➜ Skipping stray line: 'different from past climate cycles and how satellites and other technologies are revealing the global signals of a changing climate. Finally, the course'
  ➜ Skipping stray line: 'looks at the connection between human activity and the current warming trend and considers some of the potential social, economic and'
  ➜ Skipping stray line: 'environmental consequences of climate change.'
  ➜ Skipping stray line: 'C266 - The Ocean Systems - In this course, learners investigate the complex ocean system by looking at the way its components—atmosphere,'
  ➜ Skipping stray line: 'biosphere, geosphere, hydrosphere—interact. Specific topics include: origins of Earth’s oceans and the early history of life; physical characteristics'
  ➜ Skipping stray line: 'and geologic processes of the ocean floor; chemistry of the water molecule; energy flow between air and water, and how ocean surface currents and'
  ➜ Skipping stray line: 'deep circulation patterns affect weather and climate; marine biology and why ecosystems are an integral part of the ocean system; the effects of'
  ➜ Skipping stray line: 'human activity; and the role of professional educators in teaching about ocean systems.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 152'
  ➜ Skipping stray line: 'C267 - Climate Change - This course explores the science of climate change. Students will learn how the climate system works; what factors cause'
  ➜ Skipping stray line: 'climate to change across different time scales and how those factors interact; how climate has changed in the past; how scientists use models,'
  ➜ Skipping stray line: 'observations and theory to make predictions about future climate; and the possible consequences of climate change for our planet. The course'
  ➜ Skipping stray line: 'explores evidence for changes in ocean temperature, sea level and acidity due to global warming. Students will learn how climate change today is'
  ➜ Skipping stray line: 'different from past climate cycles and how satellites and other technologies are revealing the global signals of a changing climate. Finally, the course'
  ➜ Skipping stray line: 'looks at the connection between human activity and the current warming trend and considers some of the potential social, economic and'
  ➜ Skipping stray line: 'environmental consequences of climate change.'
  ➜ Skipping stray line: 'C268 - Spreadsheets - The Spreadsheets course will help students become proficient in using spreadsheets to analyze business problems. Students'
  ➜ Skipping stray line: 'will demonstrate competency in spreadsheet development and analysis for business/accounting applications (e.g., using essential spreadsheet'
  ➜ Skipping stray line: 'functions, formulas, charts, etc.)'
  ➜ Skipping stray line: 'C269 - Children's Literature - This course is an introduction to and exploration of children’s literature. Students will consider and analyze children’s'
  ➜ Skipping stray line: 'literature as a lens through which to view the world. Students will experience multiple genres, historical perspectives, cultural representations and'
  ➜ Skipping stray line: 'current applications to the field of children’s literature.'
  ➜ Skipping stray line: 'C272 - Foundational Perspectives of Education - This course provides an introduction to the historical, legal, and philosophical foundations of'
  ➜ Skipping stray line: 'education. Current educational trends, reform movements, major federal and state laws, legal and ethical responsibilities, and an overview of'
  ➜ Skipping stray line: 'standards-based curriculum are the focus of the course. The course of study presents a discussion of changes and challenges in contemporary'
  ➜ Skipping stray line: 'education. It covers the diversity found in American schools, introduces emerging educational technology trends, and provides an overview of'
  ➜ Skipping stray line: 'contemporary topics in education.'
  ➜ Skipping stray line: 'C273 - Introduction to Sociology - This course teaches students to think like sociologists, in other words, to see and understand the hidden rules, or'
  ➜ Skipping stray line: 'norms, by which people live, and how they free or restrain behavior. Students will learn about socializing institutions, such as schools and families, as'
  ➜ Skipping stray line: 'well as workplace organizations and governments. Participants will also learn how people deviate from the rules by challenging norms, and how such'
  ➜ Skipping stray line: 'behavior may result in social change, either on a large scale or within small groups.'
  ➜ Skipping stray line: 'C277 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ➜ Skipping stray line: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ➜ Skipping stray line: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ➜ Skipping stray line: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C278 - College Algebra - This course provides further application and analysis of algebraic concepts and functions through mathematical modeling of'
  ➜ Skipping stray line: 'real-world situations. Topics include: real numbers, algebraic expressions, equations and inequalities, graphs and functions, polynomial and rational'
  ➜ Skipping stray line: 'functions, exponential and logarithmic functions, and systems of linear equations.'
  ➜ Skipping stray line: 'C280 - Probability and Statistics I - Probability and Statistics I covers the knowledge and skills necessary to apply basic probability, descriptive'
  ➜ Skipping stray line: 'statistics, and statistical reasoning, and to use appropriate technology to model and solve real-life problems. It provides an introduction to the science'
  ➜ Skipping stray line: 'of collecting, processing, analyzing, and interpreting data. Topics include creating and interpreting numerical summaries and visual displays of data;'
  ➜ Skipping stray line: 'regression lines and correlation; evaluating sampling methods and their effect on possible conclusions; designing observational studies, controlled'
  ➜ Skipping stray line: 'experiments, and surveys; and determining probabilities using simulations, diagrams, and probability rules. College Algebra is a prerequisite for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'C281 - College Geometry - College Geometry covers the knowledge and skills necessary to apply geometry to model and solve real-life problems, to'
  ➜ Skipping stray line: 'do formal axiomatic proofs in geometry, and to use dynamic technology to explore geometry. Topics include axiomatic systems and analytic proof;'
  ➜ Skipping stray line: 'non-Euclidean geometries; construction, analytic, and synthetic methods for investigating and proving properties and relationships of two- and three-'
  ➜ Skipping stray line: 'dimensional objects; geometric transformations, tessellations, and using inductive reasoning; concrete models; and dynamic technology to conduct'
  ➜ Skipping stray line: 'geometric investigations. College Algebra and Pre-Calculus are prerequisites for this course.'
  ➜ Skipping stray line: 'C282 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to use'
  ➜ Skipping stray line: 'differential calculus of one variable and appropriate technology to solve basic problems. Topics include graphing functions and finding their domains'
  ➜ Skipping stray line: 'and ranges; limits, continuity, differentiability, visual, analytical, and conceptual approaches to the definition of the derivative; the power, chain, and'
  ➜ Skipping stray line: 'sum rules applied to polynomial and exponential functions, position and velocity; and L'Hopital's Rule. Candidates should have completed a course in'
  ➜ Skipping stray line: 'Pre-Calculus before engaging in this course.'
  ➜ Skipping stray line: 'C283 - Calculus II - Calculus II is the study of the accumulation of change in relation to the area under a curve. It covers the knowledge and skills'
  ➜ Skipping stray line: 'necessary to apply integral calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include'
  ➜ Skipping stray line: 'antiderivatives; indefinite integrals; the substitution rule; Riemann sums; the Fundamental Theorem of Calculus; definite integrals; acceleration,'
  ➜ Skipping stray line: 'velocity, position, and initial values; integration by parts; integration by trigonometric substitution; integration by partial fractions; numerical integration;'
  ➜ Skipping stray line: 'improper integration; area between curves; volumes and surface areas of revolution; arc length; work; center of mass; separable differential equations;'
  ➜ Skipping stray line: 'direction fields; growth and decay problems; and sequences. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C284 - Mathematics Learning and Teaching - Mathematics Learning and Teaching will help you develop the knowledge and skills necessary to'
  ➜ Skipping stray line: 'become a prospective and practicing educator. You will be able to use a variety of instructional strategies to effectively facilitate the learning of'
  ➜ Skipping stray line: 'mathematics. This course focuses on selecting appropriate resources, using multiple strategies, and instructional planning, with methods based on'
  ➜ Skipping stray line: 'research and problem solving. A deep understanding of the knowledge, skills, and disposition of mathematics pedagogy is necessary to become an'
  ➜ Skipping stray line: 'effective secondary mathematics educator. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C285 - Mathematics History and Technology - Mathematics History and Technology introduces a variety of technological tools for doing'
  ➜ Skipping stray line: 'mathematics, and you will develop a broad understanding of the historical development of mathematics. You will come to understand that'
  ➜ Skipping stray line: 'mathematics is a very human subject that comes from the macro-level sweep of cultural and societal change, as well as the micro-level actions of'
  ➜ Skipping stray line: 'individuals with personal, professional, and philosophical motivations. Most importantly, you will learn to evaluate and apply technological tools and'
  ➜ Skipping stray line: 'historical information to create an enriching student-centered mathematical learning environment. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C288 - General Chemistry I - Chemistry is the study of matter. Everything you see and many of the things you don’t see are made up of atoms. By'
  ➜ Skipping stray line: 'understanding these atoms and their interactions, chemists have been able to cure disease, travel to the moon, and feed a growing world. By'
  ➜ Skipping stray line: 'understanding chemistry, you will find your own world expanded. You will find boiling water interesting and the back of the shampoo bottle fascinating.'
  ➜ Skipping stray line: 'The National Science Teachers Association (NSTA) has published principles and standards that address important chemistry topics that should be'
  ➜ Skipping stray line: 'covered through the K-12 curriculum. Many states have followed the NSTA’s lead and are increasingly requiring that these concepts be taught to the'
  ➜ Skipping stray line: 'students throughout the course of their science education. A firm grasp of the concepts covered in this course will allow you to confidently teach this'
  ➜ Skipping stray line: 'material when you enter the classroom.'
  ➜ Skipping stray line: 'C289 - General Chemistry II - Chemistry is the study of matter. Everything you see and many of the things you don’t see are made up of atoms. By'
  ➜ Skipping stray line: 'understanding these atoms and their interactions. chemists have been able to cure disease, travel to the moon, and feed a growing world. By'
  ➜ Skipping stray line: 'understanding chemistry, you will find your own world expanded. You will find boiling water interesting and the back of the shampoo bottle'
  ➜ Skipping stray line: 'fascinating.The National Science Teachers Association (NSTA) has published principles and standards that address important chemistry topics that'
  ➜ Skipping stray line: 'should be covered through the K-12 curriculum. Many states have followed the NSTA’s lead and are increasingly requiring that these concepts be'
  ➜ Skipping stray line: 'taught to the students throughout the course of their science education. A firm grasp of the concepts covered in this course will allow you to'
  ➜ Skipping stray line: 'confidently teach this material when you enter the classroom.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 153'
  ➜ Skipping stray line: 'C299 - Designing Customized Security - The course provides an introduction to the core security concepts and skills needed for the installation,'
  ➜ Skipping stray line: 'monitoring, and troubleshooting of network security features to maintain the integrity, confidentiality, and availability of data and devices. Successfully'
  ➜ Skipping stray line: 'completing this course will certify these skills. You will also develop competency in the technologies that Cisco uses in its security infrastructure.'
  ➜ Skipping stray line: 'Recommended Experience: You should possess a current Cisco Certified Network Administrator in Routing and Switching certification. This course'
  ➜ Skipping stray line: 'prepares students for the following certification exam: Cisco CCNA Security.'
  ➜ Skipping stray line: 'C301 - Translational Research for Practice and Populations - This graduate-level course builds on your baccalaureate-level statistical knowledge'
  ➜ Skipping stray line: 'to help you develop skills in analyzing, interpreting, and translating research into nursing practice using principles of patient-centered care and'
  ➜ Skipping stray line: 'applications to individuals and populations'
  ➜ Skipping stray line: 'C304 - Professional Roles and Values - This course explores the unique role nurses play in healthcare, beginning with the history and evolution of'
  ➜ Skipping stray line: 'the nursing profession. The responsibilities and accountability of professional nurses are covered, including cultural competency, advocacy for patient'
  ➜ Skipping stray line: 'rights, and the legal and ethical issues related to supervision and delegation. Professional conduct, leadership, the public image of nursing, the work'
  ➜ Skipping stray line: 'environment, and issues of social justice are also addressed.'
  ➜ Skipping stray line: 'C306 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ➜ Skipping stray line: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ➜ Skipping stray line: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ➜ Skipping stray line: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C307 - Supervised Demonstration Teaching in Elementary Education, Observations 1 and 2 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C308 - Supervised Demonstration Teaching in Elementary Education, Observation 3 and Midterm - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C309 - Supervised Demonstration Teaching in Elementary Education, Observations 4 and 5 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C310 - Supervised Demonstration Teaching in Elementary Education, Observation 6 and Final - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C311 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 1 and 2 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C312 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 3 and Midterm - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C313 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 4 and 5 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C314 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 6 and Final - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C315 - Supervised Demonstration Teaching in Mathematics, Observations 1 and 2 - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C316 - Supervised Demonstration Teaching in Mathematics, Observation 3 and Midterm - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C317 - Supervised Demonstration Teaching in Mathematics, Observations 4 and 5 - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C318 - Supervised Demonstration Teaching in Mathematics, Observation 6 and Final - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C319 - Supervised Demonstration Teaching in Science, Observations 1 and 2 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C320 - Supervised Demonstration Teaching in Science, Observation 3 and Midterm - Supervised Demonstration Teaching in Science involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C321 - Supervised Demonstration Teaching in Science, Observations 4 and 5 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C322 - Supervised Demonstration Teaching in Science, Observation 6 and Final - Supervised Demonstration Teaching in Science involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C323 - Supervised Demonstration Teaching in Elementary Education, Observations 1 and 2 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C324 - Supervised Demonstration Teaching in Elementary Education, Observation 3 and Midterm - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C325 - Supervised Demonstration Teaching in Elementary Education, Observations 4 and 5 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 154'
  ➜ Skipping stray line: 'C326 - Supervised Demonstration Teaching in Elementary Education, Observation 6 and Final - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C327 - Supervised Demonstration Teaching in Mathematics, Observations 1 and 2 - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C328 - Supervised Demonstration Teaching in Mathematics, Observation 3 and Midterm - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C329 - Supervised Demonstration Teaching in Mathematics, Observations 4 and 5 - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C330 - Supervised Demonstration Teaching in Mathematics, Observation 6 and Final - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C331 - Supervised Demonstration Teaching in Science, Observations 1 and 2 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C332 - Supervised Demonstration Teaching in Science, Observation 3 and Midterm - Supervised Demonstration Teaching in Science involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C333 - Supervised Demonstration Teaching in Science, Observations 4 and 5 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C334 - Supervised Demonstration Teaching in Science, Observation 6 and Final - Supervised Demonstration Teaching in Science involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C339 - Cohort Seminar - Cohort Seminar provides mentoring and supports teacher candidates during their demonstration teaching period by'
  ➜ Skipping stray line: 'providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates their demonstration of competence in'
  ➜ Skipping stray line: 'becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom, exploring community resources, building'
  ➜ Skipping stray line: 'collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'
  ➜ Skipping stray line: 'C340 - Cohort Seminar in Special Education - Cohort Seminar in Special Education provides mentoring and supports teacher candidates during'
  ➜ Skipping stray line: 'their demonstration teaching period by providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates'
  ➜ Skipping stray line: 'their demonstration of competence in becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom,'
  ➜ Skipping stray line: 'exploring community resources, building collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'
  ➜ Skipping stray line: 'C341 - Cohort Seminar - Cohort Seminar provides mentoring and supports teacher candidates during their demonstration teaching period by'
  ➜ Skipping stray line: 'providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates their demonstration of competence in'
  ➜ Skipping stray line: 'becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom, exploring community resources, building'
  ➜ Skipping stray line: 'collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'
  ➜ Skipping stray line: 'C347 - Professional Portfolio - You will create an online teaching portfolio that includes professional artifacts (e.g. resume and Philosophy of'
  ➜ Skipping stray line: 'Teaching Statement) that demonstrate the skills you have acquired throughout your Demonstration Teaching experience.'
  ➜ Skipping stray line: 'C348 - Professional Portfolio - You will create an online teaching portfolio that includes professional artifacts (e.g. resume and Philosophy of'
  ➜ Skipping stray line: 'Teaching Statement) that demonstrate the skills you have acquired throughout your Demonstration Teaching experience.'
  ➜ Skipping stray line: 'C349 - Health Assessment - The Health Assessment course is designed to enhance students’ knowledge and skills in health promotion, the early'
  ➜ Skipping stray line: 'detection of illness and prevention of disease. To that end the course provides relevant content and skills necessary to perform a comprehensive'
  ➜ Skipping stray line: 'physical assessment of patients throughout the lifespan. Students are engaged in these processes through interviewing, history taking and'
  ➜ Skipping stray line: 'demonstration of an advanced-level physical examination. Dominant models, theories and perspectives related to evidence-based wellness practices'
  ➜ Skipping stray line: 'and health education strategies also are included in this challenging course. Competency is measured through successful completion of two'
  ➜ Skipping stray line: 'performance tasks. It is recommended that students plan to complete C349 in four to six weeks.'
  ➜ Skipping stray line: 'C350 - Comprehensive Health Assessment for Patients and Populations - In this course, students will learn about the principles of health'
  ➜ Skipping stray line: 'assessment from the individual to the global level. Students will learn to perform a comprehensive functional health assessment that includes social'
  ➜ Skipping stray line: 'structures, family history, and environmental situations, from the individual patient to the population. This course builds on prior knowledge gained in'
  ➜ Skipping stray line: 'previous courses and in nursing practice, in areas such as pathophysiology, pharmacology, and epidemiology, and focus on applying this knowledge'
  ➜ Skipping stray line: 'in various populations with common disorders.'
  ➜ Skipping stray line: 'This course is roughly divided into three parts:'
  ➜ Skipping stray line: '• Advanced health assessment focusing on abnormal findings for common disease.'
  ➜ Skipping stray line: '• Integrating health assessment findings into a population, considering such issue as culture, spirituality, and continuum.'
  ➜ Skipping stray line: '• Functionality of clients based upon the problems and populations.'
  ➜ Skipping stray line: 'C351 - Professional Presence and Influence - Who we are and how we behave affects others. Our professional presence in therapeutic settings'
  ➜ Skipping stray line: 'can support or inhibit well-being not only in patients, but also in the rest of the health care team, in the family and support system of the patients, and'
  ➜ Skipping stray line: 'in the health care organization as a whole. This course will help registered nurses manage this impact by recognizing situations and practices that'
  ➜ Skipping stray line: 'support a positive environment and cultivating actions and responses to achieve and maintain this environment. The growth of self-knowledge will'
  ➜ Skipping stray line: 'expand nurses’ ability to direct influence in ways that are intended rather than in random or destructive ways.'
  ➜ Skipping stray line: 'C352 - Contemporary Pharmacotherapeutics - This course provides the opportunity to acquire advanced knowledge and skills in the therapeutic'
  ➜ Skipping stray line: 'use of pharmacologic agents, herbals, and supplements. Students will explore the pharmacologic treatment of major health problems and examine the'
  ➜ Skipping stray line: 'principles of pharmacogenomics. The effects of culture, ethnicity, age, pregnancy, gender, healthcare setting, and funding of pharmacologic therapy'
  ➜ Skipping stray line: 'will be emphasized. Legal aspects of prescribing will be fully addressed. Case studies will be utilized to present some of these concepts.'
  ➜ Skipping stray line: 'C358 - Foundations of Nursing Education - This graduate level course in the education specialty core examines the contemporary issues of nursing'
  ➜ Skipping stray line: 'education. While traditional contexts for learning are included, students will also focus on modern technology and trends in nursing education.'
  ➜ Skipping stray line: 'Students will explore curriculum development, educational philosophy, theories and models, instruction and evaluation, as well as e-learning,'
  ➜ Skipping stray line: 'simulations, and current technology in nursing education.'
  ➜ Skipping stray line: 'C359 - Future Directions in Contemporary Learning and Education - This course builds on previously developed concepts acquired in'
  ➜ Skipping stray line: 'Foundations of Nursing Education and Facilitating Learning in the 21st Century. This course will explore how changes in the economy, advancements'
  ➜ Skipping stray line: 'in science, and the explosion of technology have created a paradigm shift in nursing education. Graduates will further explore the role of the educator'
  ➜ Skipping stray line: 'and the application of innovative education strategies.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 155'
  ➜ Skipping stray line: 'C360 - Teacher Work Sample in English Language Learning - The Teacher Work Sample is a culmination of the wide variety of skills learned'
  ➜ Skipping stray line: 'during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of'
  ➜ Skipping stray line: 'your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C361 - Evidence Based Practice and Applied Nursing Research - The Evidence Based Practice and Applied Nursing Research course will help'
  ➜ Skipping stray line: 'you to learn how to design and conduct research to answer important questions about improving nursing practice and patient care delivery outcomes.'
  ➜ Skipping stray line: 'After you are introduced to the basics of evidence-based practice, you will continue to implement the principles throughout your clinical experience.'
  ➜ Skipping stray line: 'This will allow you to graduate with more competence and confidence to become a leader in the healing environment.'
  ➜ Skipping stray line: 'C362 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to apply'
  ➜ Skipping stray line: 'differential calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include functions, limits, continuity,'
  ➜ Skipping stray line: 'differentiability, visual, analytical, and conceptual approaches to the definition of the derivative, the power, chain, sum, product, and quotient rules'
  ➜ Skipping stray line: 'applied to polynomial, trigonometric, exponential, and logarithmic functions, implicit differentiation, position, velocity, and acceleration, optimization,'
  ➜ Skipping stray line: 'related rates, curve sketching, and L'Hopital's Rule. Pre-Calculus is a pre-requisite for this course.'
  ➜ Skipping stray line: 'C363 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to apply'
  ➜ Skipping stray line: 'differential calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include functions, limits, continuity,'
  ➜ Skipping stray line: 'differentiability, visual, analytical, and conceptual approaches to the definition of the derivative, the power, chain, sum, product, and quotient rules'
  ➜ Skipping stray line: 'applied to polynomial, trigonometric, exponential, and logarithmic functions, implicit differentiation, position, velocity, and acceleration, optimization,'
  ➜ Skipping stray line: 'related rates, curve sketching, and L'Hopital's Rule. Pre-Calculus is a pre-requisite for this course.'
  ➜ Skipping stray line: 'C365 - Language Arts Instruction and Intervention - Language Arts Instruction and Intervention helps students learn how to implement effective'
  ➜ Skipping stray line: 'language arts instruction and intervention in the elementary classroom. Topics include written and spoken English, expanding students' knowledge,'
  ➜ Skipping stray line: 'literature rich environments, differentiated instruction, technology for reading and writing, assessment strategies for reading and writing, and strategies'
  ➜ Skipping stray line: 'for developing academic language.'
  ➜ Skipping stray line: 'C367 - Elementary Physical Education and Health Methods - Elementary Physical Education and Health Methods helps students learn how to'
  ➜ Skipping stray line: 'implement effective physical and health education instruction in the elementary classroom. Topics include healthy lifestyles, student safety, student'
  ➜ Skipping stray line: 'nutrition, physical education, differentiated instruction for physical and health education, physical education across the curriculum, and public policy in'
  ➜ Skipping stray line: 'health and physical education.'
  ➜ Skipping stray line: 'C368 - Instructional Planning and Presentation in Elementary Education - Instructional Planning and Presentation assists students as they'
  ➜ Skipping stray line: 'continue to build instructional planning skills. Topics include unit and lesson planning, instructional presentation strategies, assessment, engagement,'
  ➜ Skipping stray line: 'integration of learning across the curriculum, effective grouping strategies, technology in the classroom, and using data to inform instruction.'
  ➜ Skipping stray line: 'C369 - Instructional Planning and Presentation in Science - Students will continue to build instructional planning skills with a focus on selecting'
  ➜ Skipping stray line: 'appropriate materials for diverse learners, selecting age- and ability- appropriate strategies for the content areas, promoting critical thinking, and'
  ➜ Skipping stray line: 'establishing both short- and long- term goals'
  ➜ Skipping stray line: 'C375 - Survey of World History - Through a thematic approach, this course explores the history of human societies over 5,000 years. Students'
  ➜ Skipping stray line: 'examine political and social structures, religious beliefs, economic systems, and patterns in trade, as well as many cultural attributes that came to'
  ➜ Skipping stray line: 'distinguish different societies around the globe over time. Special attention is given to relationships between these societies and the way geographic'
  ➜ Skipping stray line: 'and environmental factors influence human development.'
  ➜ Skipping stray line: 'C380 - Language Arts Instruction and Intervention - Language Arts Instruction and Intervention helps students learn how to implement effective'
  ➜ Skipping stray line: 'language arts instruction and intervention in the elementary classroom. Topics include written and spoken English, expanding students' knowledge,'
  ➜ Skipping stray line: 'literature rich environments, differentiated instruction, technology for reading and writing, assessment strategies for reading and writing, and strategies'
  ➜ Skipping stray line: 'for developing academic language.'
  ➜ Skipping stray line: 'C381 - Elementary Mathematics Methods - Elementary Mathematics Methods helps students learn how to implement effective math instruction in'
  ➜ Skipping stray line: 'the elementary classroom. Topics include differentiated math instruction, mathematical communication, mathematical tools for instruction, assessing'
  ➜ Skipping stray line: 'math understanding, integrating math across the curriculum, critical thinking development, standards based math instruction, and mathematical'
  ➜ Skipping stray line: 'models and representation.'
  ➜ Skipping stray line: 'C382 - Elementary Science Methods - Elementary Science Methods helps students learn how to implement effective science instruction in the'
  ➜ Skipping stray line: 'elementary classroom. Topics include processes of science, science inquiry, science learning environments, instructional strategies for science,'
  ➜ Skipping stray line: 'differentiated instruction for science, assessing science understanding, technology for science instruction, standards based science instruction,'
  ➜ Skipping stray line: 'integrating science across curriculum, and science beyond the classroom.'
  ➜ Skipping stray line: 'C388 - Science, Technology, and Society - Science, Technology, and Society explores the ways in which science influences and is influenced by'
  ➜ Skipping stray line: 'society and technology. A humanistic and social endeavor, science serves the needs of ever-changing societies by providing methods for observing,'
  ➜ Skipping stray line: 'questioning, discovering, and communicating information about the physical and natural world. This course prepares educators to explain the nature'
  ➜ Skipping stray line: 'and history of science, the various applications of science, and the scientific and engineering processes used to conduct investigations, make'
  ➜ Skipping stray line: 'decisions, and solve problems. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C389 - Science, Technology, and Society - Science, Technology, and Society explores the ways in which science influences and is influenced by'
  ➜ Skipping stray line: 'society and technology. A humanistic and social endeavor, science serves the needs of ever-changing societies by providing methods for observing,'
  ➜ Skipping stray line: 'questioning, discovering, and communicating information about the physical and natural world. This course prepares educators to explain the nature'
  ➜ Skipping stray line: 'and history of science, the various applications of science, and the scientific and engineering processes used to conduct investigations, make'
  ➜ Skipping stray line: 'decisions, and solve problems. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C393 - IT Foundations - IT Foundations is the first course in a two-part series preparatory for the CompTIA A+ exam, Part I. Students will gain an'
  ➜ Skipping stray line: 'understanding of personal computer components and their functions in a desktop system, as well as computer data storage and retrieval; classifying,'
  ➜ Skipping stray line: 'installing, configuring, optimizing, upgrading, and troubleshooting printers, laptops, portable devices, operating systems, networks, and system'
  ➜ Skipping stray line: 'security; recommending appropriate tools, diagnostic procedures, preventative maintenance and troubleshooting techniques for personal computer'
  ➜ Skipping stray line: 'components in a desktop system; strategies for identifying, preventing, and reporting safety hazards and environmental/human accidents in a'
  ➜ Skipping stray line: 'technological environments; and effective communication with colleagues and clients as well as job-related professional behavior.'
  ➜ Skipping stray line: 'C394 - IT Applications - IT Applications is a continuation of the IT Foundations course preparatory for the CompTIA A+ exam, Part II.'
  ➜ Skipping stray line: 'Students will gain an understanding of personal computer components and their functions in a desktop system. Also covered is computer data storage'
  ➜ Skipping stray line: 'and retrieval, including classifying, installing, configuring, optimizing, upgrading, and troubleshooting printers, laptops, portable devices, operating'
  ➜ Skipping stray line: 'systems, networks, and system security. Other areas include recommending appropriate tools, diagnostic procedures, preventative maintenance and'
  ➜ Skipping stray line: 'troubleshooting techniques for personal computer components in a desktop system. The course then finished with strategies for identifying,'
  ➜ Skipping stray line: 'preventing, and reporting safety hazards and environmental/human accidents in a technological environments, and effective communication with'
  ➜ Skipping stray line: 'colleagues and clients as well as job-related professional behavior.'
  ➜ Skipping stray line: 'C395 - Instructional Planning and Presentation in English - Applications in Instructional Planning and Presentation in English, as a continuation of'
  ➜ Skipping stray line: 'the Instructional Planning and Presentation course, helps students apply, analyze, and reflect on effective classroom instruction.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 156'
  ➜ Skipping stray line: 'C396 - English Pedagogy - English Pedagogy examines pedagogical applications for the teaching of reading, literature, composition, and related'
  ➜ Skipping stray line: 'English Language Arts (ELA) content and skills for middle and secondary schools. Focused on fostering and developing pedagogical content'
  ➜ Skipping stray line: 'knowledge in the aforementioned areas, students will analyze assessment strategies and incorporate methods of literacy instruction into their'
  ➜ Skipping stray line: 'instructional planning to meet the needs of diverse learners. This course helps students prepare and develop skills for classroom practice, lesson'
  ➜ Skipping stray line: 'planning, and working in school settings. C397 Preclinical Experiences in English is a prerequisite.'
  ➜ Skipping stray line: 'C397 - Preclinical Experiences in English - Preclinical Experiences in English provides students the opportunity to observe and participate in a wide'
  ➜ Skipping stray line: 'range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will reflect on'
  ➜ Skipping stray line: 'and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required to meet'
  ➜ Skipping stray line: 'several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C398 - Supervised Demonstration Teaching in English, Observations 1 and 2 - Supervised Demonstration Teaching in English involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C399 - Supervised Demonstration Teaching in English, Observation 3 and Midterm - Supervised Demonstration Teaching in English involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C400 - Supervised Demonstration Teaching in English, Observations 4 and 5 - Supervised Demonstration Teaching in English involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C401 - Supervised Demonstration Teaching in English, Observation 6 and Final - Supervised Demonstration Teaching in English involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C405 - Anatomy and Physiology II - This course introduces advanced concepts of human anatomy and physiology, through the investigation of the'
  ➜ Skipping stray line: 'structures and functions of the body's organ systems. Students will have the opportunity to explore the body through laboratory experience and apply'
  ➜ Skipping stray line: 'the concepts covered in this course. For nursing students this is the second of two anatomy and physiology courses within the program of study.'
  ➜ Skipping stray line: 'C410 - Collaborative Leadership Project - The purpose of this course is to practice applying collaborative leadership skills in an innovative'
  ➜ Skipping stray line: 'environment while engaging with a community. You will combine innovation with leadership to serve patients. You will also identify an innovation'
  ➜ Skipping stray line: 'process that will serve the Navajo Area Indian Health Services (NAIHS) facility in the Navajo Nation. The main task will be to collaborate with'
  ➜ Skipping stray line: 'stakeholders on the proposed process to address obesity.'
  ➜ Skipping stray line: 'C417 - Analytical Methods of Healthcare Professionals - This course explores the significance of research and statistics in care management. You'
  ➜ Skipping stray line: 'will start by examining the role of evidence-based decisions in care management and how to evaluate the quality of research used to make those'
  ➜ Skipping stray line: 'decisions. You will examine the role of statistics in making evidence-based decisions about care management. Finally, you will learn how statistics are'
  ➜ Skipping stray line: 'used in healthcare and how to test the validity of statistics in order to make informed care management decisions.'
  ➜ Skipping stray line: 'C421 - Health Information Technology Project - A medical group has decided to move forward with the organizational initiative of reducing health'
  ➜ Skipping stray line: 'disparities, increasing access, and improving outcomes by leading a cooperative of local healthcare organizations in a Community Health Information'
  ➜ Skipping stray line: 'Exchange System (CHIES) expansion plan founded on the governor’s vision to advance HIEs. You will complete an assessment of a CHIE, propose'
  ➜ Skipping stray line: 'an updated Electronic Health Records System (EHRS), and complete a CHIE feasibility assessment.'
  ➜ Skipping stray line: 'C423 - Challenges in Community Health Project - Community-based integrated healthcare requires skills in communication, management, and'
  ➜ Skipping stray line: 'resource utilization among healthcare personnel, healthcare organizations, and community and state entities. You will apply appropriate actions and'
  ➜ Skipping stray line: 'strategies consistent with the organizational mission, values, and needs in interactions with community leaders and members of the community. You'
  ➜ Skipping stray line: 'will learn and demonstrate utilization of communication and collaboration skills and the evaluation and application of data in problem-solving skills at'
  ➜ Skipping stray line: 'both the organizational and community level.'
  ➜ Skipping stray line: 'C424 - Integrated Healthcare Project - You will develop and present a comprehensive case study and business plan that proposes an integrated'
  ➜ Skipping stray line: 'system that includes, at a minimum, a health plan, hospitals, skilled nursing homes, and home health organizations to meet the rising health demands'
  ➜ Skipping stray line: 'of the baby-boomer population. You will choose an area of the U.S. with existing healthcare organizations, and present a model of an “open delivery'
  ➜ Skipping stray line: 'system” that serves as a financial hedge, enables experimentation, integrates culture (patient population demographics and regional healthcare'
  ➜ Skipping stray line: 'values and principles), incentives wellness and preventative care), and is value-based and consumer driven.'
  ➜ Skipping stray line: 'C425 - Healthcare Delivery Systems, Regulation, and Compliance - This course provides an overview of the U.S. healthcare system and focuses'
  ➜ Skipping stray line: 'on developing an understanding of the various sectors and roles involved in this complex industry. Policy and compliance issues are also addressed to'
  ➜ Skipping stray line: 'facilitate an appreciation for the highly regulated nature of healthcare delivery.'
  ➜ Skipping stray line: 'C426 - Healthcare Values and Ethics - This course explores ethical standards and considerations common to the healthcare environment such as'
  ➜ Skipping stray line: 'access to care, confidentiality, the allocation of limited resources, and billing practices. This course also focuses on the distinct value system'
  ➜ Skipping stray line: 'associated with the healthcare industry, as well as the values of professionalism.'
  ➜ Skipping stray line: 'C427 - Technology Applications in Healthcare - This course explores how technology continues to change and influence the healthcare industry.'
  ➜ Skipping stray line: 'Practical managerial applications are explored as well as the legal, ethical, and practical aspects of access to health and disease information.'
  ➜ Skipping stray line: 'Ensuring the protection of private health information is also emphasized.'
  ➜ Skipping stray line: 'C428 - Financial Resource Management in Healthcare - This course examines the financial environment of the healthcare industry including'
  ➜ Skipping stray line: 'principles involved in managed care. It also explores the revenue and expense structures for different sectors within the industry while emphasizing'
  ➜ Skipping stray line: 'funding and reimbursement practices of healthcare.'
  ➜ Skipping stray line: 'C429 - Healthcare Operations Management - This course builds upon basic principles of management, organizational behavior, and leadership.'
  ➜ Skipping stray line: 'Specific processes and business principles for managing operations in interdependent and multi-disciplinary healthcare organizations are explored.'
  ➜ Skipping stray line: 'Marketing strategies, communication skills, and the ability to establish and maintain relationships while ensuring productivity that is efficient, safe, and'
  ➜ Skipping stray line: 'meets the needs of all stakeholders is emphasized.'
  ➜ Skipping stray line: 'C430 - Healthcare Quality Improvement and Risk Management - This course emphasizes principles of quality management and risk management'
  ➜ Skipping stray line: 'in order to ensure safety, maximize patient outcomes, and continuously improve organizational outcomes. This course also examines the broader'
  ➜ Skipping stray line: 'impact of organizational culture and its influence on productivity, quality, and risk.'
  ➜ Skipping stray line: 'C431 - Healthcare Research and Statistics - This course builds upon an understanding of research methods and quantitative analysis. Concepts of'
  ➜ Skipping stray line: 'population health, epidemiology, and evidence-based practices provide the foundation for understanding the importance of data for informing'
  ➜ Skipping stray line: 'healthcare organizational decisions.'
  ➜ Skipping stray line: 'C432 - Healthcare Management and Strategy - This course builds upon basic principles of strategic management and explores healthcare'
  ➜ Skipping stray line: 'organizational structures and processes. The importance of the collaborative nature and interrelationships among business functions is emphasized.'
  ➜ Skipping stray line: 'Creating a healthcare vision and designing business plans within a healthcare environment is also examined.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 157'
  ➜ Skipping stray line: 'C433 - Integrated Healthcare Management Capstone Project - The capstone project is a student-designed project intended to illustrate your ability'
  ➜ Skipping stray line: 'to effect change in the industry and demonstrate competence in all five core competencies of the curriculum. You are required to collaborate with'
  ➜ Skipping stray line: 'leaders in the healthcare industry to identify opportunities for improvement in healthcare, propose a solution, and perform a business analysis to'
  ➜ Skipping stray line: 'evaluate its feasibility. In addition, the capstone project encourages work in the healthcare industry that will be showcased in your collection of work'
  ➜ Skipping stray line: 'and help solidify professional relationships in the industry.'
  ➜ Skipping stray line: 'C439 - Healthcare Management Capstone - This course is the culminating experience and assessment of healthcare business administration. This'
  ➜ Skipping stray line: 'course requires the student to integrate and synthesize managerial skills with healthcare knowledge, resulting in a high quality final project that'
  ➜ Skipping stray line: 'demonstrates professional managerial proficiency.'
  ➜ Skipping stray line: 'C451 - Integrated Natural Science - Integrated Natural Sciences explores the natural world through an integrated perspective and helps students'
  ➜ Skipping stray line: 'begin to see and draw numerous connections among events in the natural world. Topics include the universe, the Earth, ecosystems and organisms.'
  ➜ Skipping stray line: 'C452 - Integrated Natural Science Applications - Integrated Natural Sciences Applications explores the natural world through an integrated'
  ➜ Skipping stray line: 'perspective and helps students apply scientific concepts and methodologies to the examination of natural science fundamentals.'
  ➜ Skipping stray line: 'C453 - Clinical Microbiology - Clinical Microbiology introduces general concepts, methods, and applications of microbiology from a health sciences'
  ➜ Skipping stray line: 'perspective. The course is designed to provide healthcare professionals with a basic understanding of how various diseases are transmitted and'
  ➜ Skipping stray line: 'controlled. Students will examine the structure and function of microorganisms, including the roles that they play in causing major diseases. The'
  ➜ Skipping stray line: 'course also explores immunological, pathological and epidemiological factors associated with disease. To assist students in developing an applied,'
  ➜ Skipping stray line: 'patient-focused understanding of microbiology, this course is complimented by several lab experiments which allow students to: practice aseptic'
  ➜ Skipping stray line: 'techniques, grow bacteria and fungi, identify characteristics of bacteria and yeast based on biochemical and environmental tests, determine antibiotic'
  ➜ Skipping stray line: 'susceptibility, discover the microorganisms growing on objects and surfaces, and determine the Gram characteristic of bacteria. This course has no'
  ➜ Skipping stray line: 'pre-requisites.'
  ➜ Skipping stray line: 'C455 - English Composition I - English Composition I introduces learners to the types of writing and thinking that are valued in college and beyond.'
  ➜ Skipping stray line: 'Students will practice writing in several genres with emphasis placed on writing and revising academic arguments. Instruction and exercises in'
  ➜ Skipping stray line: 'grammar, mechanics, research documentation, and style are paired with each module so that writers can practice these skills as necessary.'
  ➜ Skipping stray line: 'Comp I is a foundational course designed to help students prepare for success at the college level.'
  ➜ Skipping stray line: 'There are no prerequisites for English Composition I.'
  ➜ Skipping stray line: 'C456 - English Composition II - English Composition II introduces undergraduate students to research writing. It is a foundational course designed to'
  ➜ Skipping stray line: 'help students prepare for advanced writing within the discipline and to complete the capstone. Specifically, this course will help students develop or'
  ➜ Skipping stray line: 'improve research, reference citation, document organization, and writing skills. English Composition I or equivalent is a prerequisite for this course.'
  ➜ Skipping stray line: 'C457 - Foundations of College Mathematics - Foundations of College Mathematics addresses the sequence of learning activities necessary to build'
  ➜ Skipping stray line: 'competence in foundational concepts of College Mathematics, which include whole numbers, fractions, decimals, ratios, proportions and percents,'
  ➜ Skipping stray line: 'geometry, statistics, the real number system, equations, inequalities, applications, and graphs of linear equations.'
  ➜ Skipping stray line: 'C458 - Health, Fitness and Wellness - Health, Fitness and Wellness focuses on the importance and foundations of good health and physical fitness,'
  ➜ Skipping stray line: 'particularly for children and adolescents, addressing health, nutrition, fitness, and substance use and abuse.'
  ➜ Skipping stray line: 'C459 - Introduction to Probability and Statistics - In this course, students demonstrate competency in the basic concepts, logic, and issues'
  ➜ Skipping stray line: 'involved in statistical reasoning. Topics include summarizing and analyzing data, sampling and study design, and probability.'
  ➜ Skipping stray line: 'C460 - Mathematics for Elementary Educators I - Mathematics for Elementary Educators I engages pre-service elementary teachers in'
  ➜ Skipping stray line: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in problem solving, set theory,'
  ➜ Skipping stray line: 'number theory, whole numbers and integers. This is the first course in a three-course sequence.'
  ➜ Skipping stray line: 'C461 - Mathematics for Elementary Educators II - This course engages pre-service elementary teachers in mathematical practices based on deep'
  ➜ Skipping stray line: 'understanding of underlying concepts. This course takes the arithmetic of the first course and generalizes it into algebraic reasoning. The course also'
  ➜ Skipping stray line: 'touches on important topics in probability. This is the second course in a three-course sequence.'
  ➜ Skipping stray line: 'C462 - Mathematics for Elementary Educators III - Mathematics for Elementary Educators III engages pre-service elementary teachers in'
  ➜ Skipping stray line: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in statistics, measurement, and'
  ➜ Skipping stray line: 'covers geometry from synthetic, transformational, and coordinate perspectives. This is the third course in a three-course sequence.'
  ➜ Skipping stray line: 'C463 - Intermediate Algebra - This course provides an introduction of algebraic concepts and the development of the essential groundwork for'
  ➜ Skipping stray line: 'College Algebra. Topics include: A review of basic mathematical skills, the real number system, algebraic expressions, linear equations, graphing,'
  ➜ Skipping stray line: 'exponents and polynomials'
  ➜ Skipping stray line: 'C464 - Introduction to Communication - This introductory communication course allows students to become familiar with the fundamental'
  ➜ Skipping stray line: 'communication theories and practices necessary to engage in healthy professional and personal relationships. Students will survey human'
  ➜ Skipping stray line: 'communication on multiple levels and critically apply the theoretical grounding of the course to interpersonal, intercultural, small group, and public'
  ➜ Skipping stray line: 'presentational contexts. The course also encourages students to consider the influence of language, perception, culture, and media on their daily'
  ➜ Skipping stray line: 'communicative interactions. In addition to theory, students will engage in the application of effective communication skills through systematically'
  ➜ Skipping stray line: 'preparing and delivering an oral presentation. By practicing these fundamental skills in human communication, students become more competent'
  ➜ Skipping stray line: 'communicators as they develop more flexible, useful, and discriminatory communicative practices in a variety of contexts.'
  ➜ Skipping stray line: 'C465 - Care of the Developing Family - .'
  ➜ Skipping stray line: 'C466 - Medication Dosage Calculations - In Medication Dosage Calculations, students learn about individualized drug dosing concepts, including:'
  ➜ Skipping stray line: 'different measurement systems, solid and liquid medications, calculating dosages based on body weight or body surface area, interpreting drug labels'
  ➜ Skipping stray line: 'and abbreviations, and common medication errors.'
  ➜ Skipping stray line: 'C467 - Pharmacology - Pharmacology covers concepts in pharmacology including drug classification and effects, the role of the nurse in drug'
  ➜ Skipping stray line: 'therapy, preparation and administration of drugs, and ethical and legal issues surrounding medication administration. The Institute of Medicine reports'
  ➜ Skipping stray line: 'that cited medication errors as the most common medical errors, costing billions of dollars and harming up to 1.5 million people every year. Medication'
  ➜ Skipping stray line: 'errors are often the result of nurses failing to follow proper procedures. The pharmacology course covers the following concepts: the nursing process'
  ➜ Skipping stray line: 'in relation to drug therapy; the role of pharmacological principles in nursing; the role of the nurse in pharmacy and lifespan considerations; cultural,'
  ➜ Skipping stray line: 'ethical, and legal considerations; education and substance abuse; and gene therapy and pharmacology. This course introduces the nursing student to'
  ➜ Skipping stray line: 'these concepts and continues to integrate pharmacology throughout the clinical courses within the program.'
  ➜ Skipping stray line: 'C468 - Information Management and the Application of Technology - Information Management and the Application of Technology helps the'
  ➜ Skipping stray line: 'student learn how to identify and implement the unique responsibilities of nurses related to the application of technology and the management of'
  ➜ Skipping stray line: 'patient information. This includes: understanding the evolving role of nurse informaticists; demonstrating the skills needed to use electronic health'
  ➜ Skipping stray line: 'records; identifying nurse-sensitive outcomes that lead to quality improvement measures; supporting the contributions of nurses to patient care;'
  ➜ Skipping stray line: 'examining workflow changes related to the implementation of computerized management systems; and learning to analyze the implications of new'
  ➜ Skipping stray line: 'technology on security, practice, and research.'
  ➜ Skipping stray line: 'C469 - Caring Arts and Science Across the Lifespan Part I - Caring Arts and Science Across the Lifespan Part I introduces nursing fundamentals'
  ➜ Skipping stray line: 'which speak to the core of all nursing care by assessing the needs of patients with compassion and respect; advocating for patients and their families;'
  ➜ Skipping stray line: 'providing education and comfort; and integrating patient needs into a plan of care that embraces individuality, diversity, and belief. Students continue'
  ➜ Skipping stray line: 'to learn about fundamental nursing skills within their didactic environment and will be provided time to practice in a learning lab environment.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 158'
  ➜ Skipping stray line: 'C470 - Caring Arts and Science Across the Lifespan Part I Clinical Learning - This course includes all aspects of clinical learning related to the'
  ➜ Skipping stray line: 'fundamentals of nursing practice. Learning labs will teach and assess task skill knowledge including physical assessment, safe medication'
  ➜ Skipping stray line: 'administration, oxygenation; nutrition, metabolism, & elimination; skin integrity, activity, & mobility; and cognition. Students who are successful in lab'
  ➜ Skipping stray line: 'assessments will progress to live patient clinicals and will be assessed for their mastery of basic levels of the key behaviors for clinical practice of a'
  ➜ Skipping stray line: 'novice nursing student.'
  ➜ Skipping stray line: 'C471 - Caring Arts and Science Across the Lifespan Part II - Caring Arts and Science Across the Lifespan Part II topics include management of'
  ➜ Skipping stray line: 'the perioperative care continuum; patient centered care of the adult; care of the adult with alterations in circulation; car of the adult with alterations in'
  ➜ Skipping stray line: 'cardiovascular function; care of the adult with alterations in oxygenation; care of the adult with alterations in neurosensory function; fundamental'
  ➜ Skipping stray line: 'patient self-determination & advocacy; and end-of-life care. This course incorporates virtual simulations into the didactic course to help students'
  ➜ Skipping stray line: 'prepare for their learning labs and clinical learning experience. Patient scenarios for the virtual simulations include: fluid & electrolyte imbalance; blood'
  ➜ Skipping stray line: 'transfusion reaction; severe reaction to antibiotic; pulmonary embolism; and postoperative complications with a fracture.'
  ➜ Skipping stray line: 'C472 - Caring Arts and Science Across the Lifespan Part II Clinical Learning - The clinical learning course for CASAL II includes all aspects of'
  ➜ Skipping stray line: 'clinical learning related to medical surgical nursing practice. Learning labs will teach and assess task skill knowledge progressing to high fidelity'
  ➜ Skipping stray line: 'simulation scenarios to develop mastery of situated use of knowledge and synthesis of knowledge in clinical scenarios that focus on perioperative'
  ➜ Skipping stray line: 'care. The virtual simulations that students completed in didactic will prepare them for their learning lab scenarios. Students who are successful in lab'
  ➜ Skipping stray line: 'assessments will progress to live patient clinicals and will be assessed for their mastery of basic levels of the key behaviors for clinical practice of'
  ➜ Skipping stray line: 'Medical Surgical nursing.'
  ➜ Skipping stray line: 'C473 - Care of Adults with Complex Illnesses - The Care of Adults with Complex Illnesses course builds on prior knowledge of medical surgical'
  ➜ Skipping stray line: 'nursing care and common conditions, focusing on diseases and conditions that affect the neuromuscular system, the musculoskeletal system, the'
  ➜ Skipping stray line: 'kidneys, the pancreas, and diseases such as cancer and impaired immunity, which affect every part of the body. Students will develop mastery of'
  ➜ Skipping stray line: 'competencies related to advanced medical surgical nursing practice. This course also utilizes virtual simulation scenarios to help students prepare for'
  ➜ Skipping stray line: 'their learning labs and their clinical intensives. Students work through the following patient scenarios: diabetes/hypoglycemia; postop abdominal'
  ➜ Skipping stray line: 'hysterectomy/opioid intoxication; acute severe asthma; acute myocardial infarction; and respiratory system disease.'
  ➜ Skipping stray line: 'C474 - Clinical Learning for Complex Illnesses in Adults - Clinical Care of Adults with Complex Illnesses includes all aspects of clinical learning'
  ➜ Skipping stray line: 'related to advanced medical surgical nursing practice. Learning labs will teach and assess advanced clinical competencies through the use of high'
  ➜ Skipping stray line: 'fidelity simulation and advanced clinical debriefing for clinical scenarios. Students participate in skills related to advance medication administration,'
  ➜ Skipping stray line: 'central venous devices, and peripherally inserted central catheters. The virtual simulations that students completed in didactic will prepare them for'
  ➜ Skipping stray line: 'their learning lab scenarios. Students who are successful in simulation assessments will progress to live patient clinicals and will be assessed for their'
  ➜ Title candidate: 'mastery of advanced levels of the key behaviors for clinical practice of Medical Surgical nursing.'
  ✔️ Collected description (1790 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 5028: 'C160 - Facilitating Learning in the 21st Century - This course applies traditional learning theories in contemporary nursing practice, using 21st-'

🔍 parse_program: starting at line 5028: 'C160 - Facilitating Learning in the 21st Century - This course applies traditional learning theories in contemporary nursing practice, using 21st-'
  ➜ Title candidate: 'C160 - Facilitating Learning in the 21st Century - This course applies traditional learning theories in contemporary nursing practice, using 21st-'
  ❌ Invalid title line: 'C160 - Facilitating Learning in the 21st Century - This course applies traditional learning theories in contemporary nursing practice, using 21st-'
  ➜ Parsing at 5029: 'century educational paradigms. Students will examine and experiment with various educational ideas including: nursing curricula development,'

🔍 parse_program: starting at line 5029: 'century educational paradigms. Students will examine and experiment with various educational ideas including: nursing curricula development,'
  ➜ Title candidate: 'century educational paradigms. Students will examine and experiment with various educational ideas including: nursing curricula development,'
  ❌ Invalid title line: 'century educational paradigms. Students will examine and experiment with various educational ideas including: nursing curricula development,'
  ➜ Parsing at 5030: 'facilitated learner development and diversity, assessment and evaluation strategies of learners, and evaluation of course and program outcomes.'

🔍 parse_program: starting at line 5030: 'facilitated learner development and diversity, assessment and evaluation strategies of learners, and evaluation of course and program outcomes.'
  ➜ Title candidate: 'facilitated learner development and diversity, assessment and evaluation strategies of learners, and evaluation of course and program outcomes.'
  ❌ Invalid title line: 'facilitated learner development and diversity, assessment and evaluation strategies of learners, and evaluation of course and program outcomes.'
  ➜ Parsing at 5031: 'C161 - Principles of Organizational Performance Management - This is the first specialization course in the nursing leadership and management'

🔍 parse_program: starting at line 5031: 'C161 - Principles of Organizational Performance Management - This is the first specialization course in the nursing leadership and management'
  ➜ Title candidate: 'C161 - Principles of Organizational Performance Management - This is the first specialization course in the nursing leadership and management'
  ❌ Invalid title line: 'C161 - Principles of Organizational Performance Management - This is the first specialization course in the nursing leadership and management'
  ➜ Parsing at 5032: 'track. Building on core coursework in the master’s program, future nurse leaders examine the roles, responsibilities, and expectations of managers in'

🔍 parse_program: starting at line 5032: 'track. Building on core coursework in the master’s program, future nurse leaders examine the roles, responsibilities, and expectations of managers in'
  ➜ Title candidate: 'track. Building on core coursework in the master’s program, future nurse leaders examine the roles, responsibilities, and expectations of managers in'
  ❌ Invalid title line: 'track. Building on core coursework in the master’s program, future nurse leaders examine the roles, responsibilities, and expectations of managers in'
  ➜ Parsing at 5033: 'maximizing productivity and performance in healthcare organizations. They will explore leadership issues, including how to build and motivate a team,'

🔍 parse_program: starting at line 5033: 'maximizing productivity and performance in healthcare organizations. They will explore leadership issues, including how to build and motivate a team,'
  ➜ Title candidate: 'maximizing productivity and performance in healthcare organizations. They will explore leadership issues, including how to build and motivate a team,'
  ❌ Invalid title line: 'maximizing productivity and performance in healthcare organizations. They will explore leadership issues, including how to build and motivate a team,'
  ➜ Parsing at 5034: 'organize staff development (including legal and ethical issues), and budget resources and time. This course encourages future nurse leaders to'

🔍 parse_program: starting at line 5034: 'organize staff development (including legal and ethical issues), and budget resources and time. This course encourages future nurse leaders to'
  ➜ Title candidate: 'organize staff development (including legal and ethical issues), and budget resources and time. This course encourages future nurse leaders to'
  ❌ Invalid title line: 'organize staff development (including legal and ethical issues), and budget resources and time. This course encourages future nurse leaders to'
  ➜ Parsing at 5035: 'examine administration from a systems perspective, relying on evidence to inform their practice.'

🔍 parse_program: starting at line 5035: 'examine administration from a systems perspective, relying on evidence to inform their practice.'
  ➜ Title candidate: 'examine administration from a systems perspective, relying on evidence to inform their practice.'
  ❌ Invalid title line: 'examine administration from a systems perspective, relying on evidence to inform their practice.'
  ➜ Parsing at 5036: 'C162 - Principles of Healthcare Business and Financial Management - Business and financial healthcare practices have a significant impact on'

🔍 parse_program: starting at line 5036: 'C162 - Principles of Healthcare Business and Financial Management - Business and financial healthcare practices have a significant impact on'
  ➜ Title candidate: 'C162 - Principles of Healthcare Business and Financial Management - Business and financial healthcare practices have a significant impact on'
  ❌ Invalid title line: 'C162 - Principles of Healthcare Business and Financial Management - Business and financial healthcare practices have a significant impact on'
  ➜ Parsing at 5037: 'organizational outcomes. In this course, future nurse leaders examine scarce resources, financial principles, and tools for financial and business'

🔍 parse_program: starting at line 5037: 'organizational outcomes. In this course, future nurse leaders examine scarce resources, financial principles, and tools for financial and business'
  ➜ Title candidate: 'organizational outcomes. In this course, future nurse leaders examine scarce resources, financial principles, and tools for financial and business'
  ❌ Invalid title line: 'organizational outcomes. In this course, future nurse leaders examine scarce resources, financial principles, and tools for financial and business'
  ➜ Parsing at 5038: 'management. They will also use financial budgeting and management practices and analyze the impact of regulations on the current healthcare'

🔍 parse_program: starting at line 5038: 'management. They will also use financial budgeting and management practices and analyze the impact of regulations on the current healthcare'
  ➜ Title candidate: 'management. They will also use financial budgeting and management practices and analyze the impact of regulations on the current healthcare'
  ❌ Invalid title line: 'management. They will also use financial budgeting and management practices and analyze the impact of regulations on the current healthcare'
  ➜ Parsing at 5039: 'environment.'

🔍 parse_program: starting at line 5039: 'environment.'
  ➜ Title candidate: 'environment.'
  ❌ Invalid title line: 'environment.'
  ➜ Parsing at 5040: 'C163 - Strategic Leadership and Future Delivery Models - This graduate-level course emphasizes strategic leadership in healthcare, focusing on'

🔍 parse_program: starting at line 5040: 'C163 - Strategic Leadership and Future Delivery Models - This graduate-level course emphasizes strategic leadership in healthcare, focusing on'
  ➜ Title candidate: 'C163 - Strategic Leadership and Future Delivery Models - This graduate-level course emphasizes strategic leadership in healthcare, focusing on'
  ❌ Invalid title line: 'C163 - Strategic Leadership and Future Delivery Models - This graduate-level course emphasizes strategic leadership in healthcare, focusing on'
  ➜ Parsing at 5041: 'the trends and directions in the industry and the future of healthcare delivery. Future nurse leaders will have the opportunity to explore how the'

🔍 parse_program: starting at line 5041: 'the trends and directions in the industry and the future of healthcare delivery. Future nurse leaders will have the opportunity to explore how the'
  ➜ Title candidate: 'the trends and directions in the industry and the future of healthcare delivery. Future nurse leaders will have the opportunity to explore how the'
  ❌ Invalid title line: 'the trends and directions in the industry and the future of healthcare delivery. Future nurse leaders will have the opportunity to explore how the'
  ➜ Parsing at 5042: 'strategic planning processes incorporates healthcare trends and the evolution of healthcare systems, methods and concepts in strategic leadership,'

🔍 parse_program: starting at line 5042: 'strategic planning processes incorporates healthcare trends and the evolution of healthcare systems, methods and concepts in strategic leadership,'
  ➜ Title candidate: 'strategic planning processes incorporates healthcare trends and the evolution of healthcare systems, methods and concepts in strategic leadership,'
  ❌ Invalid title line: 'strategic planning processes incorporates healthcare trends and the evolution of healthcare systems, methods and concepts in strategic leadership,'
  ➜ Parsing at 5043: 'and the ever-changing technology in healthcare.'

🔍 parse_program: starting at line 5043: 'and the ever-changing technology in healthcare.'
  ➜ Title candidate: 'and the ever-changing technology in healthcare.'
  ❌ Invalid title line: 'and the ever-changing technology in healthcare.'
  ➜ Parsing at 5044: 'C164 - Introduction to Physics - This course provides students with a comprehensive overview of the basic principles and unifying concepts of'

🔍 parse_program: starting at line 5044: 'C164 - Introduction to Physics - This course provides students with a comprehensive overview of the basic principles and unifying concepts of'
  ➜ Title candidate: 'C164 - Introduction to Physics - This course provides students with a comprehensive overview of the basic principles and unifying concepts of'
  ❌ Invalid title line: 'C164 - Introduction to Physics - This course provides students with a comprehensive overview of the basic principles and unifying concepts of'
  ➜ Parsing at 5045: 'physics. Students will integrate conceptual knowledge with practical and laboratory skills. The primary audience of this course are IT majors with focus'

🔍 parse_program: starting at line 5045: 'physics. Students will integrate conceptual knowledge with practical and laboratory skills. The primary audience of this course are IT majors with focus'
  ➜ Title candidate: 'physics. Students will integrate conceptual knowledge with practical and laboratory skills. The primary audience of this course are IT majors with focus'
  ❌ Invalid title line: 'physics. Students will integrate conceptual knowledge with practical and laboratory skills. The primary audience of this course are IT majors with focus'
  ➜ Parsing at 5046: 'on application. The course contains interactives, reading materials, and laboratory application to help students develop a broad understanding of the'

🔍 parse_program: starting at line 5046: 'on application. The course contains interactives, reading materials, and laboratory application to help students develop a broad understanding of the'
  ➜ Title candidate: 'on application. The course contains interactives, reading materials, and laboratory application to help students develop a broad understanding of the'
  ❌ Invalid title line: 'on application. The course contains interactives, reading materials, and laboratory application to help students develop a broad understanding of the'
  ➜ Parsing at 5047: 'practical applications of scientific concepts. Instructional content is enhanced by e-interactives and laboratory activities that will give students hands on'

🔍 parse_program: starting at line 5047: 'practical applications of scientific concepts. Instructional content is enhanced by e-interactives and laboratory activities that will give students hands on'
  ➜ Title candidate: 'practical applications of scientific concepts. Instructional content is enhanced by e-interactives and laboratory activities that will give students hands on'
  ❌ Invalid title line: 'practical applications of scientific concepts. Instructional content is enhanced by e-interactives and laboratory activities that will give students hands on'
  ➜ Parsing at 5048: 'knowledge and experience. Focus of materials are on why science is important to everyday life, practical application, and conceptual understanding.'

🔍 parse_program: starting at line 5048: 'knowledge and experience. Focus of materials are on why science is important to everyday life, practical application, and conceptual understanding.'
  ➜ Title candidate: 'knowledge and experience. Focus of materials are on why science is important to everyday life, practical application, and conceptual understanding.'
  ❌ Invalid title line: 'knowledge and experience. Focus of materials are on why science is important to everyday life, practical application, and conceptual understanding.'
  ➜ Parsing at 5049: 'The quantitative aspects of physics will be explored as they relate to modern problems and challeges of the everyday world. Asynchronous and cohort'

🔍 parse_program: starting at line 5049: 'The quantitative aspects of physics will be explored as they relate to modern problems and challeges of the everyday world. Asynchronous and cohort'
  ➜ Title candidate: 'The quantitative aspects of physics will be explored as they relate to modern problems and challeges of the everyday world. Asynchronous and cohort'
  ❌ Invalid title line: 'The quantitative aspects of physics will be explored as they relate to modern problems and challeges of the everyday world. Asynchronous and cohort'
  ➜ Parsing at 5050: 'experiences may be part of the learning experience in which community will support the educational process.'

🔍 parse_program: starting at line 5050: 'experiences may be part of the learning experience in which community will support the educational process.'
  ➜ Title candidate: 'experiences may be part of the learning experience in which community will support the educational process.'
  ❌ Invalid title line: 'experiences may be part of the learning experience in which community will support the educational process.'
  ➜ Parsing at 5051: 'C165 - Integrated Physical Sciences - This course provides students with an overview of the basic principles and unifying ideas of the physical'

🔍 parse_program: starting at line 5051: 'C165 - Integrated Physical Sciences - This course provides students with an overview of the basic principles and unifying ideas of the physical'
  ➜ Title candidate: 'C165 - Integrated Physical Sciences - This course provides students with an overview of the basic principles and unifying ideas of the physical'
  ❌ Invalid title line: 'C165 - Integrated Physical Sciences - This course provides students with an overview of the basic principles and unifying ideas of the physical'
  ➜ Parsing at 5052: 'sciences: physics, chemistry, and Earth sciences. Course materials focus on scientific reasoning and practical and everyday applications of physical'

🔍 parse_program: starting at line 5052: 'sciences: physics, chemistry, and Earth sciences. Course materials focus on scientific reasoning and practical and everyday applications of physical'
  ➜ Title candidate: 'sciences: physics, chemistry, and Earth sciences. Course materials focus on scientific reasoning and practical and everyday applications of physical'
  ❌ Invalid title line: 'sciences: physics, chemistry, and Earth sciences. Course materials focus on scientific reasoning and practical and everyday applications of physical'
  ➜ Parsing at 5053: 'science concepts to help students integrate conceptual knowledge with practical skills.'

🔍 parse_program: starting at line 5053: 'science concepts to help students integrate conceptual knowledge with practical skills.'
  ➜ Title candidate: 'science concepts to help students integrate conceptual knowledge with practical skills.'
  ❌ Invalid title line: 'science concepts to help students integrate conceptual knowledge with practical skills.'
  ➜ Parsing at 5054: 'C168 - Critical Thinking and Logic - Reasoning and Problem Solving helps students internalize a systematic process for exploring issues that takes'

🔍 parse_program: starting at line 5054: 'C168 - Critical Thinking and Logic - Reasoning and Problem Solving helps students internalize a systematic process for exploring issues that takes'
  ➜ Title candidate: 'C168 - Critical Thinking and Logic - Reasoning and Problem Solving helps students internalize a systematic process for exploring issues that takes'
  ❌ Invalid title line: 'C168 - Critical Thinking and Logic - Reasoning and Problem Solving helps students internalize a systematic process for exploring issues that takes'
  ➜ Parsing at 5055: 'them beyond an unexamined point of view and encourages them to become more self-aware thinkers by applying principles of problem identification'

🔍 parse_program: starting at line 5055: 'them beyond an unexamined point of view and encourages them to become more self-aware thinkers by applying principles of problem identification'
  ➜ Title candidate: 'them beyond an unexamined point of view and encourages them to become more self-aware thinkers by applying principles of problem identification'
  ❌ Invalid title line: 'them beyond an unexamined point of view and encourages them to become more self-aware thinkers by applying principles of problem identification'
  ➜ Parsing at 5056: 'and clarification, planning and information gathering, identifying assumptions and values, analysis and interpretation of information and data, reaching'

🔍 parse_program: starting at line 5056: 'and clarification, planning and information gathering, identifying assumptions and values, analysis and interpretation of information and data, reaching'
  ➜ Title candidate: 'and clarification, planning and information gathering, identifying assumptions and values, analysis and interpretation of information and data, reaching'
  ❌ Invalid title line: 'and clarification, planning and information gathering, identifying assumptions and values, analysis and interpretation of information and data, reaching'
  ➜ Parsing at 5057: 'well-founded conclusions, and identifying the role of critical thinking in the disciplines and professions.'

🔍 parse_program: starting at line 5057: 'well-founded conclusions, and identifying the role of critical thinking in the disciplines and professions.'
  ➜ Title candidate: 'well-founded conclusions, and identifying the role of critical thinking in the disciplines and professions.'
  ❌ Invalid title line: 'well-founded conclusions, and identifying the role of critical thinking in the disciplines and professions.'
  ➜ Parsing at 5058: 'C169 - Scripting and Programming - Applications - This course provides an introduction to programming. It covers data structures, algorithms, and'

🔍 parse_program: starting at line 5058: 'C169 - Scripting and Programming - Applications - This course provides an introduction to programming. It covers data structures, algorithms, and'
  ➜ Title candidate: 'C169 - Scripting and Programming - Applications - This course provides an introduction to programming. It covers data structures, algorithms, and'
  ❌ Invalid title line: 'C169 - Scripting and Programming - Applications - This course provides an introduction to programming. It covers data structures, algorithms, and'
  ➜ Parsing at 5059: 'programming paradigms. It presents the concept of an object as well as the object-oriented paradigm and its importance. A survey of languages is'

🔍 parse_program: starting at line 5059: 'programming paradigms. It presents the concept of an object as well as the object-oriented paradigm and its importance. A survey of languages is'
  ➜ Title candidate: 'programming paradigms. It presents the concept of an object as well as the object-oriented paradigm and its importance. A survey of languages is'
  ❌ Invalid title line: 'programming paradigms. It presents the concept of an object as well as the object-oriented paradigm and its importance. A survey of languages is'
  ➜ Parsing at 5060: 'covered and the distinction between interpreted and compiled languages is introduced.'

🔍 parse_program: starting at line 5060: 'covered and the distinction between interpreted and compiled languages is introduced.'
  ➜ Title candidate: 'covered and the distinction between interpreted and compiled languages is introduced.'
  ❌ Invalid title line: 'covered and the distinction between interpreted and compiled languages is introduced.'
  ➜ Parsing at 5061: 'C170 - Data Management - Applications - This course covers conceptual data modeling and provides an introduction to MySQL. Students will learn'

🔍 parse_program: starting at line 5061: 'C170 - Data Management - Applications - This course covers conceptual data modeling and provides an introduction to MySQL. Students will learn'
  ➜ Title candidate: 'C170 - Data Management - Applications - This course covers conceptual data modeling and provides an introduction to MySQL. Students will learn'
  ❌ Invalid title line: 'C170 - Data Management - Applications - This course covers conceptual data modeling and provides an introduction to MySQL. Students will learn'
  ➜ Parsing at 5062: 'how to create simple to complex SELECT queries including subqueries and joins, and will also learn how to use SQL to update and delete data.'

🔍 parse_program: starting at line 5062: 'how to create simple to complex SELECT queries including subqueries and joins, and will also learn how to use SQL to update and delete data.'
  ➜ Title candidate: 'how to create simple to complex SELECT queries including subqueries and joins, and will also learn how to use SQL to update and delete data.'
  ❌ Invalid title line: 'how to create simple to complex SELECT queries including subqueries and joins, and will also learn how to use SQL to update and delete data.'
  ➜ Parsing at 5063: 'Topics covered in this course include exposure to MySQL; developing physical schemas; creating and modifying databases, tables, views, foreign'

🔍 parse_program: starting at line 5063: 'Topics covered in this course include exposure to MySQL; developing physical schemas; creating and modifying databases, tables, views, foreign'
  ➜ Title candidate: 'Topics covered in this course include exposure to MySQL; developing physical schemas; creating and modifying databases, tables, views, foreign'
  ❌ Invalid title line: 'Topics covered in this course include exposure to MySQL; developing physical schemas; creating and modifying databases, tables, views, foreign'
  ➜ Parsing at 5064: 'keys/primary keys (FKs/PKs), and indexes; populating tables; and developing simple Select-From-Where (SFW) queries to complex 3+ table join'

🔍 parse_program: starting at line 5064: 'keys/primary keys (FKs/PKs), and indexes; populating tables; and developing simple Select-From-Where (SFW) queries to complex 3+ table join'
  ➜ Title candidate: 'keys/primary keys (FKs/PKs), and indexes; populating tables; and developing simple Select-From-Where (SFW) queries to complex 3+ table join'
  ❌ Invalid title line: 'keys/primary keys (FKs/PKs), and indexes; populating tables; and developing simple Select-From-Where (SFW) queries to complex 3+ table join'
  ➜ Parsing at 5065: 'queries.'

🔍 parse_program: starting at line 5065: 'queries.'
  ➜ Title candidate: 'queries.'
  ❌ Invalid title line: 'queries.'
  ➜ Parsing at 5066: 'C172 - Network and Security - Foundations - Network and Security - Foundations introduces students to the components of a computer network'

🔍 parse_program: starting at line 5066: 'C172 - Network and Security - Foundations - Network and Security - Foundations introduces students to the components of a computer network'
  ➜ Title candidate: 'C172 - Network and Security - Foundations - Network and Security - Foundations introduces students to the components of a computer network'
  ❌ Invalid title line: 'C172 - Network and Security - Foundations - Network and Security - Foundations introduces students to the components of a computer network'
  ➜ Parsing at 5067: 'and the concept and role of communication protocols. The course will cover widely used categorical classifications of networks (i.e. LAN, MAN, WAN,'

🔍 parse_program: starting at line 5067: 'and the concept and role of communication protocols. The course will cover widely used categorical classifications of networks (i.e. LAN, MAN, WAN,'
  ➜ Title candidate: 'and the concept and role of communication protocols. The course will cover widely used categorical classifications of networks (i.e. LAN, MAN, WAN,'
  ❌ Invalid title line: 'and the concept and role of communication protocols. The course will cover widely used categorical classifications of networks (i.e. LAN, MAN, WAN,'
  ➜ Parsing at 5068: 'PAN, and VPN) as well as network topologies, physical devices, and layered abstraction. The course will also introduce students to basic concepts of'

🔍 parse_program: starting at line 5068: 'PAN, and VPN) as well as network topologies, physical devices, and layered abstraction. The course will also introduce students to basic concepts of'
  ➜ Title candidate: 'PAN, and VPN) as well as network topologies, physical devices, and layered abstraction. The course will also introduce students to basic concepts of'
  ❌ Invalid title line: 'PAN, and VPN) as well as network topologies, physical devices, and layered abstraction. The course will also introduce students to basic concepts of'
  ➜ Parsing at 5069: 'security covering vulnerabilities of networks and mitigation techniques, security of physical media, and security policies and procedures.'

🔍 parse_program: starting at line 5069: 'security covering vulnerabilities of networks and mitigation techniques, security of physical media, and security policies and procedures.'
  ➜ Title candidate: 'security covering vulnerabilities of networks and mitigation techniques, security of physical media, and security policies and procedures.'
  ❌ Invalid title line: 'security covering vulnerabilities of networks and mitigation techniques, security of physical media, and security policies and procedures.'
  ➜ Parsing at 5070: 'C173 - Scripting and Programming - Foundations - This course provides an introduction to programming covering data structures, algorithms, and'

🔍 parse_program: starting at line 5070: 'C173 - Scripting and Programming - Foundations - This course provides an introduction to programming covering data structures, algorithms, and'
  ➜ Title candidate: 'C173 - Scripting and Programming - Foundations - This course provides an introduction to programming covering data structures, algorithms, and'
  ❌ Invalid title line: 'C173 - Scripting and Programming - Foundations - This course provides an introduction to programming covering data structures, algorithms, and'
  ➜ Parsing at 5071: 'programming paradigms. The course presents the student with the concept of an object as well as the object-oriented paradigm and its importance. A'

🔍 parse_program: starting at line 5071: 'programming paradigms. The course presents the student with the concept of an object as well as the object-oriented paradigm and its importance. A'
  ➜ Title candidate: 'programming paradigms. The course presents the student with the concept of an object as well as the object-oriented paradigm and its importance. A'
  ❌ Invalid title line: 'programming paradigms. The course presents the student with the concept of an object as well as the object-oriented paradigm and its importance. A'
  ➜ Parsing at 5072: 'survey of languages is covered and the distinction between interpreted and compiled languages is introduced.'

🔍 parse_program: starting at line 5072: 'survey of languages is covered and the distinction between interpreted and compiled languages is introduced.'
  ➜ Title candidate: 'survey of languages is covered and the distinction between interpreted and compiled languages is introduced.'
  ❌ Invalid title line: 'survey of languages is covered and the distinction between interpreted and compiled languages is introduced.'
  ➜ Parsing at 5073: 'C175 - Data Management - Foundations - This course introduces students to the concepts and terminology used in the field of data management.'

🔍 parse_program: starting at line 5073: 'C175 - Data Management - Foundations - This course introduces students to the concepts and terminology used in the field of data management.'
  ➜ Title candidate: 'C175 - Data Management - Foundations - This course introduces students to the concepts and terminology used in the field of data management.'
  ❌ Invalid title line: 'C175 - Data Management - Foundations - This course introduces students to the concepts and terminology used in the field of data management.'
  ➜ Parsing at 5074: 'They will be introduced to Structured Query Language (SQL) and will learn how to use Data Definition Language (DDL) and Data Manipulation'

🔍 parse_program: starting at line 5074: 'They will be introduced to Structured Query Language (SQL) and will learn how to use Data Definition Language (DDL) and Data Manipulation'
  ➜ Title candidate: 'They will be introduced to Structured Query Language (SQL) and will learn how to use Data Definition Language (DDL) and Data Manipulation'
  ❌ Invalid title line: 'They will be introduced to Structured Query Language (SQL) and will learn how to use Data Definition Language (DDL) and Data Manipulation'
  ➜ Parsing at 5075: 'Language (DML) commands to define, retrieve, and manipulate data. This course covers differentiations of data—structured vs. unstructured and'

🔍 parse_program: starting at line 5075: 'Language (DML) commands to define, retrieve, and manipulate data. This course covers differentiations of data—structured vs. unstructured and'
  ➜ Title candidate: 'Language (DML) commands to define, retrieve, and manipulate data. This course covers differentiations of data—structured vs. unstructured and'
  ❌ Invalid title line: 'Language (DML) commands to define, retrieve, and manipulate data. This course covers differentiations of data—structured vs. unstructured and'
  ➜ Parsing at 5076: 'quasi-structured (relational, hierarchical, XML, textual, visual, etc); it also covers aspects of data management (quality, policy, storage methodologies).'

🔍 parse_program: starting at line 5076: 'quasi-structured (relational, hierarchical, XML, textual, visual, etc); it also covers aspects of data management (quality, policy, storage methodologies).'
  ➜ Title candidate: 'quasi-structured (relational, hierarchical, XML, textual, visual, etc); it also covers aspects of data management (quality, policy, storage methodologies).'
  ❌ Invalid title line: 'quasi-structured (relational, hierarchical, XML, textual, visual, etc); it also covers aspects of data management (quality, policy, storage methodologies).'
  ➜ Parsing at 5077: 'Foundational concepts of data security are included.'

🔍 parse_program: starting at line 5077: 'Foundational concepts of data security are included.'
  ➜ Title candidate: 'Foundational concepts of data security are included.'
  ❌ Invalid title line: 'Foundational concepts of data security are included.'
  ➜ Parsing at 5078: 'C176 - Business of IT - Project Management - In this course, students will build on industry standard concepts, techniques, and processes to'

🔍 parse_program: starting at line 5078: 'C176 - Business of IT - Project Management - In this course, students will build on industry standard concepts, techniques, and processes to'
  ➜ Title candidate: 'C176 - Business of IT - Project Management - In this course, students will build on industry standard concepts, techniques, and processes to'
  ❌ Invalid title line: 'C176 - Business of IT - Project Management - In this course, students will build on industry standard concepts, techniques, and processes to'
  ➜ Parsing at 5079: 'develop a comprehensive foundation for project management activities. During a project's life cycle, students will develop the critical skills necessary'

🔍 parse_program: starting at line 5079: 'develop a comprehensive foundation for project management activities. During a project's life cycle, students will develop the critical skills necessary'
  ➜ Title candidate: 'develop a comprehensive foundation for project management activities. During a project's life cycle, students will develop the critical skills necessary'
  ❌ Invalid title line: 'develop a comprehensive foundation for project management activities. During a project's life cycle, students will develop the critical skills necessary'
  ➜ Parsing at 5080: 'to initiate, plan, execute, monitor, control, and close a project. Students will apply best practices in areas such as scope management, resource'

🔍 parse_program: starting at line 5080: 'to initiate, plan, execute, monitor, control, and close a project. Students will apply best practices in areas such as scope management, resource'
  ➜ Title candidate: 'to initiate, plan, execute, monitor, control, and close a project. Students will apply best practices in areas such as scope management, resource'
  ❌ Invalid title line: 'to initiate, plan, execute, monitor, control, and close a project. Students will apply best practices in areas such as scope management, resource'
  ➜ Parsing at 5081: 'allocation, project planning, project scheduling, quality control, risk management, performance measurement, and project reporting. This course'

🔍 parse_program: starting at line 5081: 'allocation, project planning, project scheduling, quality control, risk management, performance measurement, and project reporting. This course'
  ➜ Title candidate: 'allocation, project planning, project scheduling, quality control, risk management, performance measurement, and project reporting. This course'
  ❌ Invalid title line: 'allocation, project planning, project scheduling, quality control, risk management, performance measurement, and project reporting. This course'
  ➜ Parsing at 5082: 'prepares students for the following certification exam: CompTIA Project+.'

🔍 parse_program: starting at line 5082: 'prepares students for the following certification exam: CompTIA Project+.'
  ➜ Title candidate: 'prepares students for the following certification exam: CompTIA Project+.'
  ❌ Invalid title line: 'prepares students for the following certification exam: CompTIA Project+.'
  ➜ Parsing at 5083: 'C178 - Network and Security - Applications - This course prepares students for the following certification exam: CompTIA Security+.'

🔍 parse_program: starting at line 5083: 'C178 - Network and Security - Applications - This course prepares students for the following certification exam: CompTIA Security+.'
  ➜ Title candidate: 'C178 - Network and Security - Applications - This course prepares students for the following certification exam: CompTIA Security+.'
  ❌ Invalid title line: 'C178 - Network and Security - Applications - This course prepares students for the following certification exam: CompTIA Security+.'
  ➜ Parsing at 5084: 'C179 - Business of IT - Applications - This course introduces IT students to information systems (IS). The course includes important topics related'

🔍 parse_program: starting at line 5084: 'C179 - Business of IT - Applications - This course introduces IT students to information systems (IS). The course includes important topics related'
  ➜ Title candidate: 'C179 - Business of IT - Applications - This course introduces IT students to information systems (IS). The course includes important topics related'
  ❌ Invalid title line: 'C179 - Business of IT - Applications - This course introduces IT students to information systems (IS). The course includes important topics related'
  ➜ Parsing at 5085: 'to management of information systems (MIS), such as system development, and business continuity. The course also provides an overview of'

🔍 parse_program: starting at line 5085: 'to management of information systems (MIS), such as system development, and business continuity. The course also provides an overview of'
  ➜ Title candidate: 'to management of information systems (MIS), such as system development, and business continuity. The course also provides an overview of'
  ❌ Invalid title line: 'to management of information systems (MIS), such as system development, and business continuity. The course also provides an overview of'
  ➜ Parsing at 5086: 'management tools and issue tracking systems.'

🔍 parse_program: starting at line 5086: 'management tools and issue tracking systems.'
  ➜ Title candidate: 'management tools and issue tracking systems.'
  ❌ Invalid title line: 'management tools and issue tracking systems.'
  ➜ Parsing at 5087: 'C180 - Introduction to Psychology - In this course, students will develop an understanding of psychology and how it helps them better understand'

🔍 parse_program: starting at line 5087: 'C180 - Introduction to Psychology - In this course, students will develop an understanding of psychology and how it helps them better understand'
  ➜ Title candidate: 'C180 - Introduction to Psychology - In this course, students will develop an understanding of psychology and how it helps them better understand'
  ❌ Invalid title line: 'C180 - Introduction to Psychology - In this course, students will develop an understanding of psychology and how it helps them better understand'
  ➜ Parsing at 5088: 'others and themselves. Students will learn general theories about psychological development, the structure of the brain, and how psychologists study'

🔍 parse_program: starting at line 5088: 'others and themselves. Students will learn general theories about psychological development, the structure of the brain, and how psychologists study'
  ➜ Title candidate: 'others and themselves. Students will learn general theories about psychological development, the structure of the brain, and how psychologists study'
  ❌ Invalid title line: 'others and themselves. Students will learn general theories about psychological development, the structure of the brain, and how psychologists study'
  ➜ Parsing at 5089: 'behavior. They will gain an understanding of both normal and disordered psychological behaviors, as well as general applications of the science of'

🔍 parse_program: starting at line 5089: 'behavior. They will gain an understanding of both normal and disordered psychological behaviors, as well as general applications of the science of'
  ➜ Title candidate: 'behavior. They will gain an understanding of both normal and disordered psychological behaviors, as well as general applications of the science of'
  ❌ Invalid title line: 'behavior. They will gain an understanding of both normal and disordered psychological behaviors, as well as general applications of the science of'
  ➜ Parsing at 5090: 'psychology in society (such as personality typing and counseling).'

🔍 parse_program: starting at line 5090: 'psychology in society (such as personality typing and counseling).'
  ➜ Title candidate: 'psychology in society (such as personality typing and counseling).'
  ❌ Invalid title line: 'psychology in society (such as personality typing and counseling).'
  ➜ Parsing at 5091: 'C181 - Survey of United States Constitution and Government - This course is an introduction to the U.S. Constitution and the U.S. government.'

🔍 parse_program: starting at line 5091: 'C181 - Survey of United States Constitution and Government - This course is an introduction to the U.S. Constitution and the U.S. government.'
  ➜ Title candidate: 'C181 - Survey of United States Constitution and Government - This course is an introduction to the U.S. Constitution and the U.S. government.'
  ❌ Invalid title line: 'C181 - Survey of United States Constitution and Government - This course is an introduction to the U.S. Constitution and the U.S. government.'
  ➜ Parsing at 5092: 'Topics include (1) structure and relevance of the U.S. Constitution, (2) structure and function of governmental branches, and (3) political participation'

🔍 parse_program: starting at line 5092: 'Topics include (1) structure and relevance of the U.S. Constitution, (2) structure and function of governmental branches, and (3) political participation'
  ➜ Title candidate: 'Topics include (1) structure and relevance of the U.S. Constitution, (2) structure and function of governmental branches, and (3) political participation'
  ❌ Invalid title line: 'Topics include (1) structure and relevance of the U.S. Constitution, (2) structure and function of governmental branches, and (3) political participation'
  ➜ Parsing at 5093: 'and policy making.'

🔍 parse_program: starting at line 5093: 'and policy making.'
  ➜ Title candidate: 'and policy making.'
  ❌ Invalid title line: 'and policy making.'
  ➜ Parsing at 5094: 'C182 - Introduction to IT - This course introduces students to information technology as a discipline and the various roles and functions of the IT'

🔍 parse_program: starting at line 5094: 'C182 - Introduction to IT - This course introduces students to information technology as a discipline and the various roles and functions of the IT'
  ➜ Title candidate: 'C182 - Introduction to IT - This course introduces students to information technology as a discipline and the various roles and functions of the IT'
  ❌ Invalid title line: 'C182 - Introduction to IT - This course introduces students to information technology as a discipline and the various roles and functions of the IT'
  ➜ Parsing at 5095: 'department as business support. Students are presented with various IT disciplines including systems and services, network and security, scripting'

🔍 parse_program: starting at line 5095: 'department as business support. Students are presented with various IT disciplines including systems and services, network and security, scripting'
  ➜ Title candidate: 'department as business support. Students are presented with various IT disciplines including systems and services, network and security, scripting'
  ❌ Invalid title line: 'department as business support. Students are presented with various IT disciplines including systems and services, network and security, scripting'
  ➜ Parsing at 5096: 'and programming, data management, and business of IT, with a survey of technologies in every area and how they relate to each other and to the'

🔍 parse_program: starting at line 5096: 'and programming, data management, and business of IT, with a survey of technologies in every area and how they relate to each other and to the'
  ➜ Title candidate: 'and programming, data management, and business of IT, with a survey of technologies in every area and how they relate to each other and to the'
  ❌ Invalid title line: 'and programming, data management, and business of IT, with a survey of technologies in every area and how they relate to each other and to the'
  ➜ Parsing at 5097: 'business.'

🔍 parse_program: starting at line 5097: 'business.'
  ➜ Title candidate: 'business.'
  ❌ Invalid title line: 'business.'
  ➜ Parsing at 5098: 'C185 - Network Policies and Services Management - This course prepares students for the following certification exam: MCSA: Installing and'

🔍 parse_program: starting at line 5098: 'C185 - Network Policies and Services Management - This course prepares students for the following certification exam: MCSA: Installing and'
  ➜ Title candidate: 'C185 - Network Policies and Services Management - This course prepares students for the following certification exam: MCSA: Installing and'
  ❌ Invalid title line: 'C185 - Network Policies and Services Management - This course prepares students for the following certification exam: MCSA: Installing and'
  ➜ Parsing at 5099: 'Configuring Windows Server.'

🔍 parse_program: starting at line 5099: 'Configuring Windows Server.'
  ➜ Title candidate: 'Configuring Windows Server.'
  ❌ Invalid title line: 'Configuring Windows Server.'
  ➜ Parsing at 5100: 'C186 - Server Administration - This course prepares students for the following certification exam: MCSA: Administering Windows Server.'

🔍 parse_program: starting at line 5100: 'C186 - Server Administration - This course prepares students for the following certification exam: MCSA: Administering Windows Server.'
  ➜ Title candidate: 'C186 - Server Administration - This course prepares students for the following certification exam: MCSA: Administering Windows Server.'
  ❌ Invalid title line: 'C186 - Server Administration - This course prepares students for the following certification exam: MCSA: Administering Windows Server.'
  ➜ Parsing at 5101: 'C187 - Network Reliability and Fault Tolerance - This course prepares students for the following certification exam: MCSA: Configuring Advanced'

🔍 parse_program: starting at line 5101: 'C187 - Network Reliability and Fault Tolerance - This course prepares students for the following certification exam: MCSA: Configuring Advanced'
  ➜ Title candidate: 'C187 - Network Reliability and Fault Tolerance - This course prepares students for the following certification exam: MCSA: Configuring Advanced'
  ❌ Invalid title line: 'C187 - Network Reliability and Fault Tolerance - This course prepares students for the following certification exam: MCSA: Configuring Advanced'
  ➜ Parsing at 5102: 'Windows Server.'

🔍 parse_program: starting at line 5102: 'Windows Server.'
  ➜ Title candidate: 'Windows Server.'
  ❌ Invalid title line: 'Windows Server.'
  ➜ Parsing at 5103: '© Western Governors University 7/19/17 149'

🔍 parse_program: starting at line 5103: '© Western Governors University 7/19/17 149'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'C188 - Software Engineering - This course introduces the concepts of software engineering to IT core graduates. It is a standalone course that is'
  ➜ Skipping stray line: 'critical to the IT program. It emphasizes the need for a disciplined approach to software engineering by providing an overview of software and software'
  ➜ Skipping stray line: 'engineering processes and why they are challenging. A generic process framework is covered to provide the groundwork for formal process models.'
  ➜ Skipping stray line: 'Prescriptive process models (e.g., Waterfall Model) and Agile Development is included. An introduction to the elements/phases of software'
  ➜ Skipping stray line: 'engineering is introduced which includes Requirements Engineering (including UML, Use Cases), Design Concepts, Software Quality and Software'
  ➜ Skipping stray line: 'Testing, and Project Management.'
  ➜ Skipping stray line: 'C189 - Data Structures - Students will learn the fundamentals of dynamic data structures, such as bags, lists, stacks, queues, trees, hash tables, and'
  ➜ Skipping stray line: 'their associated algorithms, using object-oriented design and abstract data types as a design paradigm. The course emphasizes problem solving and'
  ➜ Skipping stray line: 'techniques applied to the design of efficient, maintainable software applications. Students will implement simple applications using the techniques'
  ➜ Skipping stray line: 'learned.'
  ➜ Skipping stray line: 'C190 - Introduction to Biology - This course is a foundational introduction to the biological sciences. The overarching theories of life from biological'
  ➜ Skipping stray line: 'research are explored as well as the fundamental concepts and principles of the study of living organisms and their interaction with the environment.'
  ➜ Skipping stray line: 'Key concepts include how living organisms use and produce energy; how life grows, develops, and reproduces; how life responds to the environment'
  ➜ Skipping stray line: 'to maintain internal stability; and how life evolves and adapts to the environment.'
  ➜ Skipping stray line: 'C191 - Operating Systems for Programmers - This course covers operating systems from the perspective of a programmer including the placement'
  ➜ Skipping stray line: 'of the operating system in the layered application development model. Primarily OSs provide Memory Management, Task Scheduling, and CPU'
  ➜ Skipping stray line: 'allocation. Secondarily, OSs provide tools for file storage/access, permission control, event handling, network access, and cross-process interaction.'
  ➜ Skipping stray line: 'OSs also provide tools for debugging problems within a single process or within groups of programs.'
  ➜ Skipping stray line: 'C192 - Data Management for Programmers - This course introduces storage of various kinds and formats of data. Students will use standard SQL to'
  ➜ Skipping stray line: 'demonstrate query capabilities provided by database management systems. The course will further cover data-related topics: data presentation,'
  ➜ Skipping stray line: 'security (access and encryption), transaction management, and administration (backup, disaster recovery, and performance tuning). This course will'
  ➜ Skipping stray line: 'address advanced topics such as data warehousing, data mining and distributed databases.'
  ➜ Skipping stray line: 'C193 - Client-Server Application Development - This course introduces students to client/server application programming classes, structures, and'
  ➜ Skipping stray line: 'concepts. The course covers networking and client/server, streams, threads, URLs, URIs, HTTP, and socket programming concepts.'
  ➜ Skipping stray line: 'C195 - Software II - Advanced Java Concepts - Software II – Advanced Java Concepts refines object-oriented programming expertise and builds'
  ➜ Skipping stray line: 'database and file server application development skills. You will learn about and put into action lambda expressions, collections, input/output,'
  ➜ Skipping stray line: 'advanced error handling, and the newest features of Java 8 to develop software that meets business requirements. This course requires intermediate'
  ➜ Skipping stray line: 'expertise in object-oriented programming and the Java language.'
  ➜ Skipping stray line: 'C196 - Mobile Application Development - This course introduces students to programming for mobile devices using a Software Development Kit'
  ➜ Skipping stray line: '(SDK). Students with previous knowledge of programming will learn how to install and utilize a SDK, build a basic mobile application, build a mobile'
  ➜ Skipping stray line: 'applications using a graphical user interface(GUI), adapt applications to different mobile devices, save data, execute and debug mobile applications'
  ➜ Skipping stray line: 'using emulators, and deploy a mobile application.'
  ➜ Skipping stray line: 'C200 - Managing Organizations and Leading People - This course covers principles of effective management and leadership that maximize'
  ➜ Skipping stray line: 'organizational performance. The following topics are included: the role and functions of a manager, analysis of personal leadership styles, approaches'
  ➜ Skipping stray line: 'to self-awareness and self-assessment, and application of foundational leadership and management skills.'
  ➜ Skipping stray line: 'C201 - Business Acumen - This course introduces you to the operation of the business enterprise and the role of management in directing its'
  ➜ Skipping stray line: 'activities. You will examine the roles of management in the context of business functions such as marketing, operations, accounting, finance, and'
  ➜ Skipping stray line: 'others.'
  ➜ Skipping stray line: 'C202 - Managing Human Capital - This course focuses on strategies and tools that managers use to maximize employee contribution and create'
  ➜ Skipping stray line: 'organizational excellence. You will learn talent management strategies to motivate and develop employees as well as best practices to manage'
  ➜ Skipping stray line: 'performance for added value.'
  ➜ Skipping stray line: 'C203 - Becoming an Effective Leader - This course explores major theories and approaches to leadership, leadership style evaluation, and personal'
  ➜ Skipping stray line: 'leadership development while focusing on motivation, development, and achievement of others. You will learn how to influence followers, manage'
  ➜ Skipping stray line: 'organizational culture, and enhance your effectiveness as a leader.'
  ➜ Skipping stray line: 'C204 - Management Communication - This course prepares you for the communication challenges in organizations. Topics examined include:'
  ➜ Skipping stray line: 'theories and strategies of communication, persuasion, conflict management and ethics that enhance communication to various audiences.'
  ➜ Skipping stray line: 'C205 - Leading Teams - This course helps you establish team objectives, align the team purpose with organizational goals, build credibility and trust,'
  ➜ Skipping stray line: 'and develop the talents of individuals to enhance team performance.'
  ➜ Skipping stray line: 'C206 - Ethical Leadership - This course examines the ethical issues and dilemmas managers face. This course provides a framework for analysis of'
  ➜ Skipping stray line: 'management-related ethical issues and decision-making action required for satisfactory resolution of these issues.'
  ➜ Skipping stray line: 'C207 - Data-Driven Decision Making - This course presents critical problem-solving methodologies, including field research and data collection'
  ➜ Skipping stray line: 'methods that enhance organizational performance. Topics include quantitative analysis, statistical and quality tools. You will improve your ability to'
  ➜ Skipping stray line: 'use data to make informed decisions.'
  ➜ Skipping stray line: 'C208 - Change Management and Innovation - This course provides an overview of change theories and innovation practices. This course will'
  ➜ Skipping stray line: 'emphasize the role of leadership in influencing and managing change in response to challenges and opportunities facing organizations.'
  ➜ Skipping stray line: 'C209 - Strategic Management - This course focuses on models and practices of strategic management including developing and implementing both'
  ➜ Skipping stray line: 'short and long term strategy and evaluating performance to achieve strategic goals and objectives.'
  ➜ Skipping stray line: 'C210 - Management and Leadership Capstone - This course is the culminating assessment of the MSML curriculum and requires you to synthesize'
  ➜ Skipping stray line: 'core knowledge from across the degree program and apply research skills in order to improve an organization. You will be asked to work with a real-'
  ➜ Skipping stray line: 'world organization to address a management or leadership challenge.'
  ➜ Skipping stray line: 'C211 - Global Economics for Managers - This course examines how economic tools, techniques, and indicators can be used for solving'
  ➜ Skipping stray line: 'organizational problems related to competitiveness, productivity, and growth. You will explore the management implications of a variety of economic'
  ➜ Skipping stray line: 'concepts and effective strategies to make decisions within a global context.'
  ➜ Skipping stray line: 'C212 - Marketing - This course will focus on the marketing function and its impact on the overall success of an organization. Topics include consumer'
  ➜ Skipping stray line: 'behavior, marketing theories and strategies, product positioning, the competitive environment, and effectiveness of the marketing function. A key'
  ➜ Skipping stray line: 'element of the course will include the relationship of the “marketing mix” to strategic planning.'
  ➜ Skipping stray line: 'C213 - Accounting for Decision Makers - This course provides you with the accounting knowledge and skills to assess and manage a business.'
  ➜ Skipping stray line: 'Topics include the accounting cycle, financial statements, taxes, and budgeting. You will improve your ability to understand reports and use'
  ➜ Skipping stray line: 'accounting information to plan and make sound business decisions.'
  ➜ Skipping stray line: 'C214 - Financial Management - This course covers practical approaches to analysis and decision making in the administration of corporate funds,'
  ➜ Skipping stray line: 'including capital budgeting, working capital management, and cost of capital. Topics include financial planning, management of working capital,'
  ➜ Skipping stray line: 'analysis of investment opportunities, sources of long-term financing, government regulations, and global influences. You will improve your ability to'
  ➜ Skipping stray line: 'interpret financial statements and manage corporate finances.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 150'
  ➜ Skipping stray line: 'C215 - Operations Management - This course focuses on the strategic importance of operations management to overall performance. This course'
  ➜ Skipping stray line: 'also emphasizes principles of supply chain management relevant to a variety of business operations ranging from manufacturing goods to retail'
  ➜ Skipping stray line: 'services. You will examine the various planning, control, and decision-making tools and techniques of the operations function.'
  ➜ Skipping stray line: 'C216 - MBA Capstone - This course is the culminating assessment of the MBA curriculum and covers all previous assessment topics. You will work'
  ➜ Skipping stray line: 'with a real-world organization to develop a solution to a business problem. In addition, you will work in teams of three or four students to simulate'
  ➜ Skipping stray line: 'running a business. One unique aspect of the simulation is that there are scheduled dates each week for simulation decisions. Since all teams are'
  ➜ Skipping stray line: 'required to meet the deadlines and work at the same pace this aspect of the assessment cannot be accelerated.'
  ➜ Skipping stray line: 'C217 - Human Growth and Development Across the Lifespan - This course introduces students to human development across the lifespan. This'
  ➜ Skipping stray line: 'will include an introductory survey of cognitive, psychological, and physical growth. Students will gain an understanding in regards to the emergence of'
  ➜ Skipping stray line: 'personality, identity, gender and sexuality, social relationships, emotion, language, and moral development through life. This will include milestones'
  ➜ Skipping stray line: 'such as education, achievement, work, dying, and death.'
  ➜ Skipping stray line: 'C218 - MBA, Information Technology Management Capstone - This course is the culminating assessment of the MBA, IT Management curriculum'
  ➜ Skipping stray line: 'and focuses on strategic management while allowing for the synthesis of previous assessment topics. You will work in teams of three or four students'
  ➜ Skipping stray line: 'to simulate running a business. One unique aspect of the simulation is that there are scheduled dates each week for simulation decisions. Since all'
  ➜ Skipping stray line: 'teams are required to meet the deadlines and work at the same pace this aspect of the assessment cannot be accelerated.'
  ➜ Skipping stray line: 'C219 - MBA, Healthcare Management Capstone - This course is the culminating assessment of the MBA, Healthcare Management curriculum and'
  ➜ Skipping stray line: 'focuses on strategic management while allowing for the synthesis of previous assessment topics. You will work in teams of three or four students to'
  ➜ Skipping stray line: 'simulate running a business. One unique aspect of the simulation is that there are scheduled dates each week for simulation decisions. Since all'
  ➜ Skipping stray line: 'teams are required to meet the deadlines and work at the same pace this aspect of the assessment cannot be accelerated.'
  ➜ Skipping stray line: 'C224 - Research Foundations - The Research Foundations course focuses on the essential concepts in educational research, including quantitative,'
  ➜ Skipping stray line: 'qualitative, mixed, and action research; measurement and assessment; and strategies for obtaining warranted research results.'
  ➜ Skipping stray line: 'C225 - Research Questions and Literature Review - The Research Questions and Literature Reviews course focuses on how to conduct a thorough'
  ➜ Skipping stray line: 'literature review that addresses and identifies important educational research topics, problems, and questions, and helps determine the appropriate'
  ➜ Skipping stray line: 'kind of research and data needed to answer one's research questions and hypotheses.'
  ➜ Skipping stray line: 'C226 - Research Design and Analysis - The Research Design and Analysis course focuses on applying strategies for effective design of empirical'
  ➜ Skipping stray line: 'research studies. Particular emphasis is placed on selecting or constructing the design that will provide the most valid results, analyzing the kind of'
  ➜ Skipping stray line: 'data that would be obtained, and making defensible interpretations and drawing appropriate conclusions based on the data.'
  ➜ Skipping stray line: 'C227 - Research Proposals - Research Proposals focuses on planning and writing a well-organized and complete research proposal. The'
  ➜ Skipping stray line: 'relationship of the sections in a research proposal to the sections in a research report will be highlighted.'
  ➜ Skipping stray line: 'C228 - Community Health and Population-Focused Nursing - Community Health and Population-Focused Nursing will assist students in becoming'
  ➜ Skipping stray line: 'familiar with foundational theories and models of health promotion applicable to the community health nursing environment. Students will develop an'
  ➜ Skipping stray line: 'understanding of how policies and resources influence the health of populations. Focus is concentrated on learning the importance of a community'
  ➜ Skipping stray line: 'assessment to improve or resolve a community health issue. Students will be introduced to the relationships between cultures and communities and'
  ➜ Skipping stray line: 'the steps necessary to create community collaboration with the goal to improve or resolve community health issues in a variety of settings. Students'
  ➜ Skipping stray line: 'will gain a greater understanding of health systems in the United States, global health issues, quality-of-life issues, cultural influences, community'
  ➜ Skipping stray line: 'collaboration, and emergency preparedness.'
  ➜ Skipping stray line: 'C229 - Community Health and Population-Focused Nursing Field Experience - Community Health and Population-Focused Nursing, Field'
  ➜ Skipping stray line: 'Experience will introduce and familiarize students with clinical aspects of health promotion and disease prevention in the community health nursing'
  ➜ Skipping stray line: 'environment. Students will practice skills based on clinical priorities, methodology, and resources that positively influence the health of populations by'
  ➜ Skipping stray line: 'assessing a primary prevention topic in the community. Students will demonstrate critical thinking skills by applying principals of community health'
  ➜ Skipping stray line: 'nursing in a variety of community settings aligning with the selected primary prevention topic. As part of this process, students will be required to'
  ➜ Skipping stray line: 'complete a minimum of 90 practice hours in order to meet the requirements of the course. Practice hours include direct and indirect hours of activity'
  ➜ Skipping stray line: 'engaged with the community or population chosen as your focus. Students will describe the completed Field Experience in a written assessment that'
  ➜ Skipping stray line: 'will also outline recommendations to improve the community health concern using the nursing process. Students will develop and recommend health'
  ➜ Skipping stray line: 'promotion and disease prevention strategies for population groups.'
  ➜ Skipping stray line: 'C230 - Community Health and Population-Focused Nursing Clinical - This course will assist students to become familiar with clinical aspects of'
  ➜ Skipping stray line: 'health promotion and disease prevention, applicable to the community health nursing environment. Students will practice skills based on clinical'
  ➜ Skipping stray line: 'priorities, methodology, and resources that positively influence the health of populations. Students will demonstrate critical thinking skills by applying'
  ➜ Skipping stray line: 'principals of community health nursing in a varity of settings. Students will design, implement and evaluate a project in community health. Students'
  ➜ Skipping stray line: 'will develop health promotion and disease prevention strategies for population groups.'
  ➜ Skipping stray line: 'C232 - Introduction to Human Resource Management - The course provides an introduction to the management of human resources, the function'
  ➜ Skipping stray line: 'within an organization that focuses on recruitment, management, and direction for the people who work in the organization. Students will be introduced'
  ➜ Skipping stray line: 'to HR topics such as strategic workforce planning and employment; compensation and benefits; training and development; employee and labor'
  ➜ Skipping stray line: 'relations; occupational health, safety and security.'
  ➜ Skipping stray line: 'C233 - Employment Law - This course reviews the legal and regulatory framework surrounding employment, including recruitment, termination, and'
  ➜ Skipping stray line: 'discrimination law. The course topics include employment-at-will, EEO, ADA, OSHA, and other laws affecting the workplace. Students will learn to'
  ➜ Skipping stray line: 'analyze current trends and issues in employment law and apply this knowledge to effectively manage risk in the employment relationship.'
  ➜ Skipping stray line: 'C234 - Workforce Planning: Recruitment and Selection - This course focuses on building a highly skilled workforce by using effective strategies'
  ➜ Skipping stray line: 'and tactics for recruiting, selecting, hiring, and retaining employees.'
  ➜ Skipping stray line: 'C235 - Training and Development - This course focuses on the development of human capital (i.e., growing talent) by applying effective learning'
  ➜ Skipping stray line: 'theories and practices for training and developing employees. Throughout this course, you will develop essential skills for improving and empowering'
  ➜ Skipping stray line: 'organizations through high-caliber training and development processes.'
  ➜ Skipping stray line: 'C236 - Compensation and Benefits - This course develops competence in understanding, designing, and implementing compensation and benefit'
  ➜ Skipping stray line: 'systems in an organization. It uses a Total Rewards perspective to integrate the tangible rewards (e.g., salary, bonuses, etc.) with employee benefits'
  ➜ Skipping stray line: '(e.g., health insurance, retirement plan, etc.) and intangible rewards (e.g., location, work environment, etc.) so that students can use all forms of'
  ➜ Skipping stray line: 'rewards fairly and effectively to enable job satisfaction and organizational performance.'
  ➜ Skipping stray line: 'C237 - Taxation I - This course focuses on the taxation of individuals. It provides an overview of income taxes of both individuals and business'
  ➜ Skipping stray line: 'entities in order to enhance awareness of the complexities and sources of tax law and to measure and analyze the effect of various tax options. The'
  ➜ Skipping stray line: 'course will introduce taxation of sole proprietorships. Students will learn principles of individual taxation and how to develop effective personal tax'
  ➜ Skipping stray line: 'strategies for individuals. Students will also be introduced to tax research of complex taxation issues.'
  ➜ Skipping stray line: 'C238 - Taxation II - Welcome to Taxation II! This course focuses on the taxation of business entities, including corporations, partnerships, and LLCs.'
  ➜ Skipping stray line: 'Important taxation concepts and skills discussed in this course include tax reporting, planning, and research skills applicable to a variety of business'
  ➜ Skipping stray line: 'contexts. The activities you will complete for this course emphasize the role of taxes in business decisions and business strategy.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 151'
  ➜ Skipping stray line: 'C239 - Advanced Tax Concepts - This course is designed to enhance your awareness of the complexities and sources of tax law and to measure'
  ➜ Skipping stray line: 'and analyze the effect of various tax options. This course provides an overview of income taxes on individuals, corporations, associations,'
  ➜ Skipping stray line: 'reorganizations, and corporate distributions. This course emphasizes the role of taxes in business decisions and business strategy.'
  ➜ Skipping stray line: 'C240 - Auditing - This course will walk you through the auditing process, including planning, conducting, documenting, and reporting an audit. You'
  ➜ Skipping stray line: 'will also learn the roles and professional standards of public accountants. This course is designed to help you study for the CPA exam and develop'
  ➜ Skipping stray line: 'essential skills for real-world experience.'
  ➜ Skipping stray line: 'C241 - Business Law for Accountants - Welcome to Business Law for Accountants! While you may have had exposure to other law or even'
  ➜ Skipping stray line: 'business law courses, this course focuses on those areas of the law that traditionally impact accounting-related and business transaction-related'
  ➜ Skipping stray line: 'decision functions. The course represents the legal and accounting concepts governing the conduct of business in the United States. It will cover laws'
  ➜ Skipping stray line: 'and regulations relevant to business operations.'
  ➜ Skipping stray line: 'C242 - Accounting Information Systems - Welcome to Accounting Information Systems! This course introduces a variety of accounting information'
  ➜ Skipping stray line: 'systems and internal controls necessary for effective systems. Students will learn how to document and evaluate the process flows of accounting'
  ➜ Skipping stray line: 'information systems, evaluate internal controls within accounting systems, and use QuickBooks Online.'
  ➜ Skipping stray line: 'C243 - Advanced Financial Accounting - This course builds upon your accounting knowledge by focusing on advanced financial accounting topics'
  ➜ Skipping stray line: 'such as consolidations, partnership accounting, and international accounting.'
  ➜ Skipping stray line: 'C244 - Advanced Auditing - This course introduces the basic concepts, standards, procedures, and practices of auditing, the changing role of the'
  ➜ Skipping stray line: 'independent auditor, professional conduct and ethics, auditor's reporting responsibilities, risk assessment, internal control, evidential matter, and'
  ➜ Skipping stray line: 'management fraud. This course is designed to help you examine how the role of internal and external auditing can best be performed through'
  ➜ Skipping stray line: 'studying cases of audit activities.'
  ➜ Skipping stray line: 'C245 - Accounting Research - The Accounting Research course is an upper level course that builds research application skills through identification'
  ➜ Skipping stray line: 'of accounting issues and researching concepts related to public accounting firms, businesses, and regulating authorities. This course helps students'
  ➜ Skipping stray line: 'develop analytical and research capabilities and apply the technical knowledge of accounting theory and principles to solve complex accounting'
  ➜ Skipping stray line: 'problems.'
  ➜ Skipping stray line: 'C246 - Fundamentals of Interconnecting Network Devices - This course prepares students for the Cisco CCENT certification exam,'
  ➜ Skipping stray line: 'Interconnecting Cisco Networking Devices Part I (ICND1). This is also the first of two exams that lead to Cisco Certified Networking Associate (CCNA)'
  ➜ Skipping stray line: 'certification.'
  ➜ Skipping stray line: 'C247 - Interconnecting Network Devices - This course prepares students for the second Cisco CCNA certification exam, Interconnecting Cisco'
  ➜ Skipping stray line: 'Networking Devices Part 2 (ICND2).'
  ➜ Skipping stray line: 'C248 - Intermediate Accounting I - This is the first of two courses encompassing more advanced accounting concepts. It will offer a more'
  ➜ Skipping stray line: 'comprehensive treatment of concepts learned in previous accounting courses. It will cover accounting standards, the conceptual accounting'
  ➜ Skipping stray line: 'framework, preparation of selected financial statements, time value of money, receivables, fixed assets, intangible assets, and both long- and short-'
  ➜ Skipping stray line: 'term liabilities.'
  ➜ Skipping stray line: 'C249 - Intermediate Accounting II - This is the second of two intermediate accounting courses. This course provides a more comprehensive'
  ➜ Skipping stray line: 'treatment of concepts learned in Fundamentals of Accounting. This course will cover stockholders’ equity, dilutive securities, investments, revenue'
  ➜ Skipping stray line: 'recognition, accounting for income taxes, pensions and post-retirement benefits, leases, financial disclosures, and the preparation of the statement of'
  ➜ Skipping stray line: 'cash flows.'
  ➜ Skipping stray line: 'C250 - Cost and Managerial Accounting - The Cost and Managerial Accounting course will cover managerial accounting as part of the information'
  ➜ Skipping stray line: 'managers’ use for planning and controlling operations. It prepares students to consider cost behavior and employ various cost methods. Job-order'
  ➜ Skipping stray line: 'costing, process costing, and activity-based costing methods will be covered, along with cost-benefit analysis, standard costing, variance analysis, and'
  ➜ Skipping stray line: 'cost reporting.'
  ➜ Skipping stray line: 'C251 - Accounting Capstone - This course is the culminating assessment of the accounting curriculum and requires students to synthesize core'
  ➜ Skipping stray line: 'knowledge from across the degree program and apply accounting skills to benefit an organization. Students will be asked to work with case studies to'
  ➜ Skipping stray line: 'address an accounting challenge.'
  ➜ Skipping stray line: 'C252 - Governmental and Nonprofit Accounting - This course is designed to be an introduction to the theory and practice of accounting in'
  ➜ Skipping stray line: 'governmental and nonprofit entities. The course includes a thorough examination of the process of analyzing and recording transactions by'
  ➜ Skipping stray line: 'governmental and nonprofit organization and their preparation of financial statements in accordance with Financial Accounting Board (FASB) and'
  ➜ Skipping stray line: 'Governmental Accounting Standards Board (GASB) standards. This course includes accounting for governmental and nonprofit entities (local, state,'
  ➜ Skipping stray line: 'and federal) and voluntary organizations.'
  ➜ Skipping stray line: 'C253 - Advanced Managerial Accounting - This course introduces the complexity and functionality of managerial accounting systems within an'
  ➜ Skipping stray line: 'organization. It covers the topics of product costing (including Activity Based Costing), decision making (including capital budgeting), profitability'
  ➜ Skipping stray line: 'analysis, budgeting, performance evaluation, and reporting related to managerial decision-making. This course provides the opportunity for a detailed'
  ➜ Skipping stray line: 'study of how managerial accounting information supports the operational and strategic needs of an organization and how managers use accounting'
  ➜ Skipping stray line: 'information for decision-making, planning and controlling activities within organizations.'
  ➜ Skipping stray line: 'C254 - Fraud and Forensic Accounting - This course provides a framework for detecting and preventing financial statement fraud. Topics include'
  ➜ Skipping stray line: 'the profession’s focus and legislation of fraud, revenue- and inventory-related fraud, and liability, asset, and inadequate disclosure fraud.'
  ➜ Skipping stray line: 'C255 - Introduction to Geography - This course will discuss geographic concepts, places and regions, physical and human systems and the'
  ➜ Skipping stray line: 'environment.'
  ➜ Skipping stray line: 'C263 - The Ocean Systems - In this course, learners investigate the complex ocean system by looking at the way its components—atmosphere,'
  ➜ Skipping stray line: 'biosphere, geosphere, hydrosphere—interact. Specific topics include: origins of Earth’s oceans and the early history of life; physical characteristics'
  ➜ Skipping stray line: 'and geologic processes of the ocean floor; chemistry of the water molecule; energy flow between air and water, and how ocean surface currents and'
  ➜ Skipping stray line: 'deep circulation patterns affect weather and climate; marine biology and why ecosystems are an integral part of the ocean system; the effects of'
  ➜ Skipping stray line: 'human activity; and the role of professional educators in teaching about ocean systems.'
  ➜ Skipping stray line: 'C264 - Climate Change - This course explores the science of climate change. Students will learn how the climate system works; what factors cause'
  ➜ Skipping stray line: 'climate to change across different time scales and how those factors interact; how climate has changed in the past; how scientists use models,'
  ➜ Skipping stray line: 'observations and theory to make predictions about future climate; and the possible consequences of climate change for our planet. The course'
  ➜ Skipping stray line: 'explores evidence for changes in ocean temperature, sea level and acidity due to global warming. Students will learn how climate change today is'
  ➜ Skipping stray line: 'different from past climate cycles and how satellites and other technologies are revealing the global signals of a changing climate. Finally, the course'
  ➜ Skipping stray line: 'looks at the connection between human activity and the current warming trend and considers some of the potential social, economic and'
  ➜ Skipping stray line: 'environmental consequences of climate change.'
  ➜ Skipping stray line: 'C266 - The Ocean Systems - In this course, learners investigate the complex ocean system by looking at the way its components—atmosphere,'
  ➜ Skipping stray line: 'biosphere, geosphere, hydrosphere—interact. Specific topics include: origins of Earth’s oceans and the early history of life; physical characteristics'
  ➜ Skipping stray line: 'and geologic processes of the ocean floor; chemistry of the water molecule; energy flow between air and water, and how ocean surface currents and'
  ➜ Skipping stray line: 'deep circulation patterns affect weather and climate; marine biology and why ecosystems are an integral part of the ocean system; the effects of'
  ➜ Skipping stray line: 'human activity; and the role of professional educators in teaching about ocean systems.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 152'
  ➜ Skipping stray line: 'C267 - Climate Change - This course explores the science of climate change. Students will learn how the climate system works; what factors cause'
  ➜ Skipping stray line: 'climate to change across different time scales and how those factors interact; how climate has changed in the past; how scientists use models,'
  ➜ Skipping stray line: 'observations and theory to make predictions about future climate; and the possible consequences of climate change for our planet. The course'
  ➜ Skipping stray line: 'explores evidence for changes in ocean temperature, sea level and acidity due to global warming. Students will learn how climate change today is'
  ➜ Skipping stray line: 'different from past climate cycles and how satellites and other technologies are revealing the global signals of a changing climate. Finally, the course'
  ➜ Skipping stray line: 'looks at the connection between human activity and the current warming trend and considers some of the potential social, economic and'
  ➜ Skipping stray line: 'environmental consequences of climate change.'
  ➜ Skipping stray line: 'C268 - Spreadsheets - The Spreadsheets course will help students become proficient in using spreadsheets to analyze business problems. Students'
  ➜ Skipping stray line: 'will demonstrate competency in spreadsheet development and analysis for business/accounting applications (e.g., using essential spreadsheet'
  ➜ Skipping stray line: 'functions, formulas, charts, etc.)'
  ➜ Skipping stray line: 'C269 - Children's Literature - This course is an introduction to and exploration of children’s literature. Students will consider and analyze children’s'
  ➜ Skipping stray line: 'literature as a lens through which to view the world. Students will experience multiple genres, historical perspectives, cultural representations and'
  ➜ Skipping stray line: 'current applications to the field of children’s literature.'
  ➜ Skipping stray line: 'C272 - Foundational Perspectives of Education - This course provides an introduction to the historical, legal, and philosophical foundations of'
  ➜ Skipping stray line: 'education. Current educational trends, reform movements, major federal and state laws, legal and ethical responsibilities, and an overview of'
  ➜ Skipping stray line: 'standards-based curriculum are the focus of the course. The course of study presents a discussion of changes and challenges in contemporary'
  ➜ Skipping stray line: 'education. It covers the diversity found in American schools, introduces emerging educational technology trends, and provides an overview of'
  ➜ Skipping stray line: 'contemporary topics in education.'
  ➜ Skipping stray line: 'C273 - Introduction to Sociology - This course teaches students to think like sociologists, in other words, to see and understand the hidden rules, or'
  ➜ Skipping stray line: 'norms, by which people live, and how they free or restrain behavior. Students will learn about socializing institutions, such as schools and families, as'
  ➜ Skipping stray line: 'well as workplace organizations and governments. Participants will also learn how people deviate from the rules by challenging norms, and how such'
  ➜ Skipping stray line: 'behavior may result in social change, either on a large scale or within small groups.'
  ➜ Skipping stray line: 'C277 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ➜ Skipping stray line: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ➜ Skipping stray line: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ➜ Skipping stray line: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C278 - College Algebra - This course provides further application and analysis of algebraic concepts and functions through mathematical modeling of'
  ➜ Skipping stray line: 'real-world situations. Topics include: real numbers, algebraic expressions, equations and inequalities, graphs and functions, polynomial and rational'
  ➜ Skipping stray line: 'functions, exponential and logarithmic functions, and systems of linear equations.'
  ➜ Skipping stray line: 'C280 - Probability and Statistics I - Probability and Statistics I covers the knowledge and skills necessary to apply basic probability, descriptive'
  ➜ Skipping stray line: 'statistics, and statistical reasoning, and to use appropriate technology to model and solve real-life problems. It provides an introduction to the science'
  ➜ Skipping stray line: 'of collecting, processing, analyzing, and interpreting data. Topics include creating and interpreting numerical summaries and visual displays of data;'
  ➜ Skipping stray line: 'regression lines and correlation; evaluating sampling methods and their effect on possible conclusions; designing observational studies, controlled'
  ➜ Skipping stray line: 'experiments, and surveys; and determining probabilities using simulations, diagrams, and probability rules. College Algebra is a prerequisite for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'C281 - College Geometry - College Geometry covers the knowledge and skills necessary to apply geometry to model and solve real-life problems, to'
  ➜ Skipping stray line: 'do formal axiomatic proofs in geometry, and to use dynamic technology to explore geometry. Topics include axiomatic systems and analytic proof;'
  ➜ Skipping stray line: 'non-Euclidean geometries; construction, analytic, and synthetic methods for investigating and proving properties and relationships of two- and three-'
  ➜ Skipping stray line: 'dimensional objects; geometric transformations, tessellations, and using inductive reasoning; concrete models; and dynamic technology to conduct'
  ➜ Skipping stray line: 'geometric investigations. College Algebra and Pre-Calculus are prerequisites for this course.'
  ➜ Skipping stray line: 'C282 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to use'
  ➜ Skipping stray line: 'differential calculus of one variable and appropriate technology to solve basic problems. Topics include graphing functions and finding their domains'
  ➜ Skipping stray line: 'and ranges; limits, continuity, differentiability, visual, analytical, and conceptual approaches to the definition of the derivative; the power, chain, and'
  ➜ Skipping stray line: 'sum rules applied to polynomial and exponential functions, position and velocity; and L'Hopital's Rule. Candidates should have completed a course in'
  ➜ Skipping stray line: 'Pre-Calculus before engaging in this course.'
  ➜ Skipping stray line: 'C283 - Calculus II - Calculus II is the study of the accumulation of change in relation to the area under a curve. It covers the knowledge and skills'
  ➜ Skipping stray line: 'necessary to apply integral calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include'
  ➜ Skipping stray line: 'antiderivatives; indefinite integrals; the substitution rule; Riemann sums; the Fundamental Theorem of Calculus; definite integrals; acceleration,'
  ➜ Skipping stray line: 'velocity, position, and initial values; integration by parts; integration by trigonometric substitution; integration by partial fractions; numerical integration;'
  ➜ Skipping stray line: 'improper integration; area between curves; volumes and surface areas of revolution; arc length; work; center of mass; separable differential equations;'
  ➜ Skipping stray line: 'direction fields; growth and decay problems; and sequences. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C284 - Mathematics Learning and Teaching - Mathematics Learning and Teaching will help you develop the knowledge and skills necessary to'
  ➜ Skipping stray line: 'become a prospective and practicing educator. You will be able to use a variety of instructional strategies to effectively facilitate the learning of'
  ➜ Skipping stray line: 'mathematics. This course focuses on selecting appropriate resources, using multiple strategies, and instructional planning, with methods based on'
  ➜ Skipping stray line: 'research and problem solving. A deep understanding of the knowledge, skills, and disposition of mathematics pedagogy is necessary to become an'
  ➜ Skipping stray line: 'effective secondary mathematics educator. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C285 - Mathematics History and Technology - Mathematics History and Technology introduces a variety of technological tools for doing'
  ➜ Skipping stray line: 'mathematics, and you will develop a broad understanding of the historical development of mathematics. You will come to understand that'
  ➜ Skipping stray line: 'mathematics is a very human subject that comes from the macro-level sweep of cultural and societal change, as well as the micro-level actions of'
  ➜ Skipping stray line: 'individuals with personal, professional, and philosophical motivations. Most importantly, you will learn to evaluate and apply technological tools and'
  ➜ Skipping stray line: 'historical information to create an enriching student-centered mathematical learning environment. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C288 - General Chemistry I - Chemistry is the study of matter. Everything you see and many of the things you don’t see are made up of atoms. By'
  ➜ Skipping stray line: 'understanding these atoms and their interactions, chemists have been able to cure disease, travel to the moon, and feed a growing world. By'
  ➜ Skipping stray line: 'understanding chemistry, you will find your own world expanded. You will find boiling water interesting and the back of the shampoo bottle fascinating.'
  ➜ Skipping stray line: 'The National Science Teachers Association (NSTA) has published principles and standards that address important chemistry topics that should be'
  ➜ Skipping stray line: 'covered through the K-12 curriculum. Many states have followed the NSTA’s lead and are increasingly requiring that these concepts be taught to the'
  ➜ Skipping stray line: 'students throughout the course of their science education. A firm grasp of the concepts covered in this course will allow you to confidently teach this'
  ➜ Skipping stray line: 'material when you enter the classroom.'
  ➜ Skipping stray line: 'C289 - General Chemistry II - Chemistry is the study of matter. Everything you see and many of the things you don’t see are made up of atoms. By'
  ➜ Skipping stray line: 'understanding these atoms and their interactions. chemists have been able to cure disease, travel to the moon, and feed a growing world. By'
  ➜ Skipping stray line: 'understanding chemistry, you will find your own world expanded. You will find boiling water interesting and the back of the shampoo bottle'
  ➜ Skipping stray line: 'fascinating.The National Science Teachers Association (NSTA) has published principles and standards that address important chemistry topics that'
  ➜ Skipping stray line: 'should be covered through the K-12 curriculum. Many states have followed the NSTA’s lead and are increasingly requiring that these concepts be'
  ➜ Skipping stray line: 'taught to the students throughout the course of their science education. A firm grasp of the concepts covered in this course will allow you to'
  ➜ Skipping stray line: 'confidently teach this material when you enter the classroom.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 153'
  ➜ Skipping stray line: 'C299 - Designing Customized Security - The course provides an introduction to the core security concepts and skills needed for the installation,'
  ➜ Skipping stray line: 'monitoring, and troubleshooting of network security features to maintain the integrity, confidentiality, and availability of data and devices. Successfully'
  ➜ Skipping stray line: 'completing this course will certify these skills. You will also develop competency in the technologies that Cisco uses in its security infrastructure.'
  ➜ Skipping stray line: 'Recommended Experience: You should possess a current Cisco Certified Network Administrator in Routing and Switching certification. This course'
  ➜ Skipping stray line: 'prepares students for the following certification exam: Cisco CCNA Security.'
  ➜ Skipping stray line: 'C301 - Translational Research for Practice and Populations - This graduate-level course builds on your baccalaureate-level statistical knowledge'
  ➜ Skipping stray line: 'to help you develop skills in analyzing, interpreting, and translating research into nursing practice using principles of patient-centered care and'
  ➜ Skipping stray line: 'applications to individuals and populations'
  ➜ Skipping stray line: 'C304 - Professional Roles and Values - This course explores the unique role nurses play in healthcare, beginning with the history and evolution of'
  ➜ Skipping stray line: 'the nursing profession. The responsibilities and accountability of professional nurses are covered, including cultural competency, advocacy for patient'
  ➜ Skipping stray line: 'rights, and the legal and ethical issues related to supervision and delegation. Professional conduct, leadership, the public image of nursing, the work'
  ➜ Skipping stray line: 'environment, and issues of social justice are also addressed.'
  ➜ Skipping stray line: 'C306 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ➜ Skipping stray line: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ➜ Skipping stray line: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ➜ Skipping stray line: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C307 - Supervised Demonstration Teaching in Elementary Education, Observations 1 and 2 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C308 - Supervised Demonstration Teaching in Elementary Education, Observation 3 and Midterm - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C309 - Supervised Demonstration Teaching in Elementary Education, Observations 4 and 5 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C310 - Supervised Demonstration Teaching in Elementary Education, Observation 6 and Final - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C311 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 1 and 2 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C312 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 3 and Midterm - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C313 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 4 and 5 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C314 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 6 and Final - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C315 - Supervised Demonstration Teaching in Mathematics, Observations 1 and 2 - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C316 - Supervised Demonstration Teaching in Mathematics, Observation 3 and Midterm - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C317 - Supervised Demonstration Teaching in Mathematics, Observations 4 and 5 - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C318 - Supervised Demonstration Teaching in Mathematics, Observation 6 and Final - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C319 - Supervised Demonstration Teaching in Science, Observations 1 and 2 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C320 - Supervised Demonstration Teaching in Science, Observation 3 and Midterm - Supervised Demonstration Teaching in Science involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C321 - Supervised Demonstration Teaching in Science, Observations 4 and 5 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C322 - Supervised Demonstration Teaching in Science, Observation 6 and Final - Supervised Demonstration Teaching in Science involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C323 - Supervised Demonstration Teaching in Elementary Education, Observations 1 and 2 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C324 - Supervised Demonstration Teaching in Elementary Education, Observation 3 and Midterm - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C325 - Supervised Demonstration Teaching in Elementary Education, Observations 4 and 5 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 154'
  ➜ Skipping stray line: 'C326 - Supervised Demonstration Teaching in Elementary Education, Observation 6 and Final - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C327 - Supervised Demonstration Teaching in Mathematics, Observations 1 and 2 - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C328 - Supervised Demonstration Teaching in Mathematics, Observation 3 and Midterm - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C329 - Supervised Demonstration Teaching in Mathematics, Observations 4 and 5 - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C330 - Supervised Demonstration Teaching in Mathematics, Observation 6 and Final - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C331 - Supervised Demonstration Teaching in Science, Observations 1 and 2 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C332 - Supervised Demonstration Teaching in Science, Observation 3 and Midterm - Supervised Demonstration Teaching in Science involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C333 - Supervised Demonstration Teaching in Science, Observations 4 and 5 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C334 - Supervised Demonstration Teaching in Science, Observation 6 and Final - Supervised Demonstration Teaching in Science involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C339 - Cohort Seminar - Cohort Seminar provides mentoring and supports teacher candidates during their demonstration teaching period by'
  ➜ Skipping stray line: 'providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates their demonstration of competence in'
  ➜ Skipping stray line: 'becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom, exploring community resources, building'
  ➜ Skipping stray line: 'collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'
  ➜ Skipping stray line: 'C340 - Cohort Seminar in Special Education - Cohort Seminar in Special Education provides mentoring and supports teacher candidates during'
  ➜ Skipping stray line: 'their demonstration teaching period by providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates'
  ➜ Skipping stray line: 'their demonstration of competence in becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom,'
  ➜ Skipping stray line: 'exploring community resources, building collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'
  ➜ Skipping stray line: 'C341 - Cohort Seminar - Cohort Seminar provides mentoring and supports teacher candidates during their demonstration teaching period by'
  ➜ Skipping stray line: 'providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates their demonstration of competence in'
  ➜ Skipping stray line: 'becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom, exploring community resources, building'
  ➜ Skipping stray line: 'collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'
  ➜ Skipping stray line: 'C347 - Professional Portfolio - You will create an online teaching portfolio that includes professional artifacts (e.g. resume and Philosophy of'
  ➜ Skipping stray line: 'Teaching Statement) that demonstrate the skills you have acquired throughout your Demonstration Teaching experience.'
  ➜ Skipping stray line: 'C348 - Professional Portfolio - You will create an online teaching portfolio that includes professional artifacts (e.g. resume and Philosophy of'
  ➜ Skipping stray line: 'Teaching Statement) that demonstrate the skills you have acquired throughout your Demonstration Teaching experience.'
  ➜ Skipping stray line: 'C349 - Health Assessment - The Health Assessment course is designed to enhance students’ knowledge and skills in health promotion, the early'
  ➜ Skipping stray line: 'detection of illness and prevention of disease. To that end the course provides relevant content and skills necessary to perform a comprehensive'
  ➜ Skipping stray line: 'physical assessment of patients throughout the lifespan. Students are engaged in these processes through interviewing, history taking and'
  ➜ Skipping stray line: 'demonstration of an advanced-level physical examination. Dominant models, theories and perspectives related to evidence-based wellness practices'
  ➜ Skipping stray line: 'and health education strategies also are included in this challenging course. Competency is measured through successful completion of two'
  ➜ Skipping stray line: 'performance tasks. It is recommended that students plan to complete C349 in four to six weeks.'
  ➜ Skipping stray line: 'C350 - Comprehensive Health Assessment for Patients and Populations - In this course, students will learn about the principles of health'
  ➜ Skipping stray line: 'assessment from the individual to the global level. Students will learn to perform a comprehensive functional health assessment that includes social'
  ➜ Skipping stray line: 'structures, family history, and environmental situations, from the individual patient to the population. This course builds on prior knowledge gained in'
  ➜ Skipping stray line: 'previous courses and in nursing practice, in areas such as pathophysiology, pharmacology, and epidemiology, and focus on applying this knowledge'
  ➜ Skipping stray line: 'in various populations with common disorders.'
  ➜ Skipping stray line: 'This course is roughly divided into three parts:'
  ➜ Skipping stray line: '• Advanced health assessment focusing on abnormal findings for common disease.'
  ➜ Skipping stray line: '• Integrating health assessment findings into a population, considering such issue as culture, spirituality, and continuum.'
  ➜ Skipping stray line: '• Functionality of clients based upon the problems and populations.'
  ➜ Skipping stray line: 'C351 - Professional Presence and Influence - Who we are and how we behave affects others. Our professional presence in therapeutic settings'
  ➜ Skipping stray line: 'can support or inhibit well-being not only in patients, but also in the rest of the health care team, in the family and support system of the patients, and'
  ➜ Skipping stray line: 'in the health care organization as a whole. This course will help registered nurses manage this impact by recognizing situations and practices that'
  ➜ Skipping stray line: 'support a positive environment and cultivating actions and responses to achieve and maintain this environment. The growth of self-knowledge will'
  ➜ Skipping stray line: 'expand nurses’ ability to direct influence in ways that are intended rather than in random or destructive ways.'
  ➜ Skipping stray line: 'C352 - Contemporary Pharmacotherapeutics - This course provides the opportunity to acquire advanced knowledge and skills in the therapeutic'
  ➜ Skipping stray line: 'use of pharmacologic agents, herbals, and supplements. Students will explore the pharmacologic treatment of major health problems and examine the'
  ➜ Skipping stray line: 'principles of pharmacogenomics. The effects of culture, ethnicity, age, pregnancy, gender, healthcare setting, and funding of pharmacologic therapy'
  ➜ Skipping stray line: 'will be emphasized. Legal aspects of prescribing will be fully addressed. Case studies will be utilized to present some of these concepts.'
  ➜ Skipping stray line: 'C358 - Foundations of Nursing Education - This graduate level course in the education specialty core examines the contemporary issues of nursing'
  ➜ Skipping stray line: 'education. While traditional contexts for learning are included, students will also focus on modern technology and trends in nursing education.'
  ➜ Skipping stray line: 'Students will explore curriculum development, educational philosophy, theories and models, instruction and evaluation, as well as e-learning,'
  ➜ Skipping stray line: 'simulations, and current technology in nursing education.'
  ➜ Skipping stray line: 'C359 - Future Directions in Contemporary Learning and Education - This course builds on previously developed concepts acquired in'
  ➜ Skipping stray line: 'Foundations of Nursing Education and Facilitating Learning in the 21st Century. This course will explore how changes in the economy, advancements'
  ➜ Skipping stray line: 'in science, and the explosion of technology have created a paradigm shift in nursing education. Graduates will further explore the role of the educator'
  ➜ Skipping stray line: 'and the application of innovative education strategies.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 155'
  ➜ Skipping stray line: 'C360 - Teacher Work Sample in English Language Learning - The Teacher Work Sample is a culmination of the wide variety of skills learned'
  ➜ Skipping stray line: 'during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of'
  ➜ Skipping stray line: 'your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C361 - Evidence Based Practice and Applied Nursing Research - The Evidence Based Practice and Applied Nursing Research course will help'
  ➜ Skipping stray line: 'you to learn how to design and conduct research to answer important questions about improving nursing practice and patient care delivery outcomes.'
  ➜ Skipping stray line: 'After you are introduced to the basics of evidence-based practice, you will continue to implement the principles throughout your clinical experience.'
  ➜ Skipping stray line: 'This will allow you to graduate with more competence and confidence to become a leader in the healing environment.'
  ➜ Skipping stray line: 'C362 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to apply'
  ➜ Skipping stray line: 'differential calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include functions, limits, continuity,'
  ➜ Skipping stray line: 'differentiability, visual, analytical, and conceptual approaches to the definition of the derivative, the power, chain, sum, product, and quotient rules'
  ➜ Skipping stray line: 'applied to polynomial, trigonometric, exponential, and logarithmic functions, implicit differentiation, position, velocity, and acceleration, optimization,'
  ➜ Skipping stray line: 'related rates, curve sketching, and L'Hopital's Rule. Pre-Calculus is a pre-requisite for this course.'
  ➜ Skipping stray line: 'C363 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to apply'
  ➜ Skipping stray line: 'differential calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include functions, limits, continuity,'
  ➜ Skipping stray line: 'differentiability, visual, analytical, and conceptual approaches to the definition of the derivative, the power, chain, sum, product, and quotient rules'
  ➜ Skipping stray line: 'applied to polynomial, trigonometric, exponential, and logarithmic functions, implicit differentiation, position, velocity, and acceleration, optimization,'
  ➜ Skipping stray line: 'related rates, curve sketching, and L'Hopital's Rule. Pre-Calculus is a pre-requisite for this course.'
  ➜ Skipping stray line: 'C365 - Language Arts Instruction and Intervention - Language Arts Instruction and Intervention helps students learn how to implement effective'
  ➜ Skipping stray line: 'language arts instruction and intervention in the elementary classroom. Topics include written and spoken English, expanding students' knowledge,'
  ➜ Skipping stray line: 'literature rich environments, differentiated instruction, technology for reading and writing, assessment strategies for reading and writing, and strategies'
  ➜ Skipping stray line: 'for developing academic language.'
  ➜ Skipping stray line: 'C367 - Elementary Physical Education and Health Methods - Elementary Physical Education and Health Methods helps students learn how to'
  ➜ Skipping stray line: 'implement effective physical and health education instruction in the elementary classroom. Topics include healthy lifestyles, student safety, student'
  ➜ Skipping stray line: 'nutrition, physical education, differentiated instruction for physical and health education, physical education across the curriculum, and public policy in'
  ➜ Skipping stray line: 'health and physical education.'
  ➜ Skipping stray line: 'C368 - Instructional Planning and Presentation in Elementary Education - Instructional Planning and Presentation assists students as they'
  ➜ Skipping stray line: 'continue to build instructional planning skills. Topics include unit and lesson planning, instructional presentation strategies, assessment, engagement,'
  ➜ Skipping stray line: 'integration of learning across the curriculum, effective grouping strategies, technology in the classroom, and using data to inform instruction.'
  ➜ Skipping stray line: 'C369 - Instructional Planning and Presentation in Science - Students will continue to build instructional planning skills with a focus on selecting'
  ➜ Skipping stray line: 'appropriate materials for diverse learners, selecting age- and ability- appropriate strategies for the content areas, promoting critical thinking, and'
  ➜ Skipping stray line: 'establishing both short- and long- term goals'
  ➜ Skipping stray line: 'C375 - Survey of World History - Through a thematic approach, this course explores the history of human societies over 5,000 years. Students'
  ➜ Skipping stray line: 'examine political and social structures, religious beliefs, economic systems, and patterns in trade, as well as many cultural attributes that came to'
  ➜ Skipping stray line: 'distinguish different societies around the globe over time. Special attention is given to relationships between these societies and the way geographic'
  ➜ Skipping stray line: 'and environmental factors influence human development.'
  ➜ Skipping stray line: 'C380 - Language Arts Instruction and Intervention - Language Arts Instruction and Intervention helps students learn how to implement effective'
  ➜ Skipping stray line: 'language arts instruction and intervention in the elementary classroom. Topics include written and spoken English, expanding students' knowledge,'
  ➜ Skipping stray line: 'literature rich environments, differentiated instruction, technology for reading and writing, assessment strategies for reading and writing, and strategies'
  ➜ Skipping stray line: 'for developing academic language.'
  ➜ Skipping stray line: 'C381 - Elementary Mathematics Methods - Elementary Mathematics Methods helps students learn how to implement effective math instruction in'
  ➜ Skipping stray line: 'the elementary classroom. Topics include differentiated math instruction, mathematical communication, mathematical tools for instruction, assessing'
  ➜ Skipping stray line: 'math understanding, integrating math across the curriculum, critical thinking development, standards based math instruction, and mathematical'
  ➜ Skipping stray line: 'models and representation.'
  ➜ Skipping stray line: 'C382 - Elementary Science Methods - Elementary Science Methods helps students learn how to implement effective science instruction in the'
  ➜ Skipping stray line: 'elementary classroom. Topics include processes of science, science inquiry, science learning environments, instructional strategies for science,'
  ➜ Skipping stray line: 'differentiated instruction for science, assessing science understanding, technology for science instruction, standards based science instruction,'
  ➜ Skipping stray line: 'integrating science across curriculum, and science beyond the classroom.'
  ➜ Skipping stray line: 'C388 - Science, Technology, and Society - Science, Technology, and Society explores the ways in which science influences and is influenced by'
  ➜ Skipping stray line: 'society and technology. A humanistic and social endeavor, science serves the needs of ever-changing societies by providing methods for observing,'
  ➜ Skipping stray line: 'questioning, discovering, and communicating information about the physical and natural world. This course prepares educators to explain the nature'
  ➜ Skipping stray line: 'and history of science, the various applications of science, and the scientific and engineering processes used to conduct investigations, make'
  ➜ Skipping stray line: 'decisions, and solve problems. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C389 - Science, Technology, and Society - Science, Technology, and Society explores the ways in which science influences and is influenced by'
  ➜ Skipping stray line: 'society and technology. A humanistic and social endeavor, science serves the needs of ever-changing societies by providing methods for observing,'
  ➜ Skipping stray line: 'questioning, discovering, and communicating information about the physical and natural world. This course prepares educators to explain the nature'
  ➜ Skipping stray line: 'and history of science, the various applications of science, and the scientific and engineering processes used to conduct investigations, make'
  ➜ Skipping stray line: 'decisions, and solve problems. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C393 - IT Foundations - IT Foundations is the first course in a two-part series preparatory for the CompTIA A+ exam, Part I. Students will gain an'
  ➜ Skipping stray line: 'understanding of personal computer components and their functions in a desktop system, as well as computer data storage and retrieval; classifying,'
  ➜ Skipping stray line: 'installing, configuring, optimizing, upgrading, and troubleshooting printers, laptops, portable devices, operating systems, networks, and system'
  ➜ Skipping stray line: 'security; recommending appropriate tools, diagnostic procedures, preventative maintenance and troubleshooting techniques for personal computer'
  ➜ Skipping stray line: 'components in a desktop system; strategies for identifying, preventing, and reporting safety hazards and environmental/human accidents in a'
  ➜ Skipping stray line: 'technological environments; and effective communication with colleagues and clients as well as job-related professional behavior.'
  ➜ Skipping stray line: 'C394 - IT Applications - IT Applications is a continuation of the IT Foundations course preparatory for the CompTIA A+ exam, Part II.'
  ➜ Skipping stray line: 'Students will gain an understanding of personal computer components and their functions in a desktop system. Also covered is computer data storage'
  ➜ Skipping stray line: 'and retrieval, including classifying, installing, configuring, optimizing, upgrading, and troubleshooting printers, laptops, portable devices, operating'
  ➜ Skipping stray line: 'systems, networks, and system security. Other areas include recommending appropriate tools, diagnostic procedures, preventative maintenance and'
  ➜ Skipping stray line: 'troubleshooting techniques for personal computer components in a desktop system. The course then finished with strategies for identifying,'
  ➜ Skipping stray line: 'preventing, and reporting safety hazards and environmental/human accidents in a technological environments, and effective communication with'
  ➜ Skipping stray line: 'colleagues and clients as well as job-related professional behavior.'
  ➜ Skipping stray line: 'C395 - Instructional Planning and Presentation in English - Applications in Instructional Planning and Presentation in English, as a continuation of'
  ➜ Skipping stray line: 'the Instructional Planning and Presentation course, helps students apply, analyze, and reflect on effective classroom instruction.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 156'
  ➜ Skipping stray line: 'C396 - English Pedagogy - English Pedagogy examines pedagogical applications for the teaching of reading, literature, composition, and related'
  ➜ Skipping stray line: 'English Language Arts (ELA) content and skills for middle and secondary schools. Focused on fostering and developing pedagogical content'
  ➜ Skipping stray line: 'knowledge in the aforementioned areas, students will analyze assessment strategies and incorporate methods of literacy instruction into their'
  ➜ Skipping stray line: 'instructional planning to meet the needs of diverse learners. This course helps students prepare and develop skills for classroom practice, lesson'
  ➜ Skipping stray line: 'planning, and working in school settings. C397 Preclinical Experiences in English is a prerequisite.'
  ➜ Skipping stray line: 'C397 - Preclinical Experiences in English - Preclinical Experiences in English provides students the opportunity to observe and participate in a wide'
  ➜ Skipping stray line: 'range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will reflect on'
  ➜ Skipping stray line: 'and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required to meet'
  ➜ Skipping stray line: 'several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C398 - Supervised Demonstration Teaching in English, Observations 1 and 2 - Supervised Demonstration Teaching in English involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C399 - Supervised Demonstration Teaching in English, Observation 3 and Midterm - Supervised Demonstration Teaching in English involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C400 - Supervised Demonstration Teaching in English, Observations 4 and 5 - Supervised Demonstration Teaching in English involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C401 - Supervised Demonstration Teaching in English, Observation 6 and Final - Supervised Demonstration Teaching in English involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C405 - Anatomy and Physiology II - This course introduces advanced concepts of human anatomy and physiology, through the investigation of the'
  ➜ Skipping stray line: 'structures and functions of the body's organ systems. Students will have the opportunity to explore the body through laboratory experience and apply'
  ➜ Skipping stray line: 'the concepts covered in this course. For nursing students this is the second of two anatomy and physiology courses within the program of study.'
  ➜ Skipping stray line: 'C410 - Collaborative Leadership Project - The purpose of this course is to practice applying collaborative leadership skills in an innovative'
  ➜ Skipping stray line: 'environment while engaging with a community. You will combine innovation with leadership to serve patients. You will also identify an innovation'
  ➜ Skipping stray line: 'process that will serve the Navajo Area Indian Health Services (NAIHS) facility in the Navajo Nation. The main task will be to collaborate with'
  ➜ Skipping stray line: 'stakeholders on the proposed process to address obesity.'
  ➜ Skipping stray line: 'C417 - Analytical Methods of Healthcare Professionals - This course explores the significance of research and statistics in care management. You'
  ➜ Skipping stray line: 'will start by examining the role of evidence-based decisions in care management and how to evaluate the quality of research used to make those'
  ➜ Skipping stray line: 'decisions. You will examine the role of statistics in making evidence-based decisions about care management. Finally, you will learn how statistics are'
  ➜ Skipping stray line: 'used in healthcare and how to test the validity of statistics in order to make informed care management decisions.'
  ➜ Skipping stray line: 'C421 - Health Information Technology Project - A medical group has decided to move forward with the organizational initiative of reducing health'
  ➜ Skipping stray line: 'disparities, increasing access, and improving outcomes by leading a cooperative of local healthcare organizations in a Community Health Information'
  ➜ Skipping stray line: 'Exchange System (CHIES) expansion plan founded on the governor’s vision to advance HIEs. You will complete an assessment of a CHIE, propose'
  ➜ Skipping stray line: 'an updated Electronic Health Records System (EHRS), and complete a CHIE feasibility assessment.'
  ➜ Skipping stray line: 'C423 - Challenges in Community Health Project - Community-based integrated healthcare requires skills in communication, management, and'
  ➜ Skipping stray line: 'resource utilization among healthcare personnel, healthcare organizations, and community and state entities. You will apply appropriate actions and'
  ➜ Skipping stray line: 'strategies consistent with the organizational mission, values, and needs in interactions with community leaders and members of the community. You'
  ➜ Skipping stray line: 'will learn and demonstrate utilization of communication and collaboration skills and the evaluation and application of data in problem-solving skills at'
  ➜ Skipping stray line: 'both the organizational and community level.'
  ➜ Skipping stray line: 'C424 - Integrated Healthcare Project - You will develop and present a comprehensive case study and business plan that proposes an integrated'
  ➜ Skipping stray line: 'system that includes, at a minimum, a health plan, hospitals, skilled nursing homes, and home health organizations to meet the rising health demands'
  ➜ Skipping stray line: 'of the baby-boomer population. You will choose an area of the U.S. with existing healthcare organizations, and present a model of an “open delivery'
  ➜ Skipping stray line: 'system” that serves as a financial hedge, enables experimentation, integrates culture (patient population demographics and regional healthcare'
  ➜ Skipping stray line: 'values and principles), incentives wellness and preventative care), and is value-based and consumer driven.'
  ➜ Skipping stray line: 'C425 - Healthcare Delivery Systems, Regulation, and Compliance - This course provides an overview of the U.S. healthcare system and focuses'
  ➜ Skipping stray line: 'on developing an understanding of the various sectors and roles involved in this complex industry. Policy and compliance issues are also addressed to'
  ➜ Skipping stray line: 'facilitate an appreciation for the highly regulated nature of healthcare delivery.'
  ➜ Skipping stray line: 'C426 - Healthcare Values and Ethics - This course explores ethical standards and considerations common to the healthcare environment such as'
  ➜ Skipping stray line: 'access to care, confidentiality, the allocation of limited resources, and billing practices. This course also focuses on the distinct value system'
  ➜ Skipping stray line: 'associated with the healthcare industry, as well as the values of professionalism.'
  ➜ Skipping stray line: 'C427 - Technology Applications in Healthcare - This course explores how technology continues to change and influence the healthcare industry.'
  ➜ Skipping stray line: 'Practical managerial applications are explored as well as the legal, ethical, and practical aspects of access to health and disease information.'
  ➜ Skipping stray line: 'Ensuring the protection of private health information is also emphasized.'
  ➜ Skipping stray line: 'C428 - Financial Resource Management in Healthcare - This course examines the financial environment of the healthcare industry including'
  ➜ Skipping stray line: 'principles involved in managed care. It also explores the revenue and expense structures for different sectors within the industry while emphasizing'
  ➜ Skipping stray line: 'funding and reimbursement practices of healthcare.'
  ➜ Skipping stray line: 'C429 - Healthcare Operations Management - This course builds upon basic principles of management, organizational behavior, and leadership.'
  ➜ Skipping stray line: 'Specific processes and business principles for managing operations in interdependent and multi-disciplinary healthcare organizations are explored.'
  ➜ Skipping stray line: 'Marketing strategies, communication skills, and the ability to establish and maintain relationships while ensuring productivity that is efficient, safe, and'
  ➜ Skipping stray line: 'meets the needs of all stakeholders is emphasized.'
  ➜ Skipping stray line: 'C430 - Healthcare Quality Improvement and Risk Management - This course emphasizes principles of quality management and risk management'
  ➜ Skipping stray line: 'in order to ensure safety, maximize patient outcomes, and continuously improve organizational outcomes. This course also examines the broader'
  ➜ Skipping stray line: 'impact of organizational culture and its influence on productivity, quality, and risk.'
  ➜ Skipping stray line: 'C431 - Healthcare Research and Statistics - This course builds upon an understanding of research methods and quantitative analysis. Concepts of'
  ➜ Skipping stray line: 'population health, epidemiology, and evidence-based practices provide the foundation for understanding the importance of data for informing'
  ➜ Skipping stray line: 'healthcare organizational decisions.'
  ➜ Skipping stray line: 'C432 - Healthcare Management and Strategy - This course builds upon basic principles of strategic management and explores healthcare'
  ➜ Skipping stray line: 'organizational structures and processes. The importance of the collaborative nature and interrelationships among business functions is emphasized.'
  ➜ Skipping stray line: 'Creating a healthcare vision and designing business plans within a healthcare environment is also examined.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 157'
  ➜ Skipping stray line: 'C433 - Integrated Healthcare Management Capstone Project - The capstone project is a student-designed project intended to illustrate your ability'
  ➜ Skipping stray line: 'to effect change in the industry and demonstrate competence in all five core competencies of the curriculum. You are required to collaborate with'
  ➜ Skipping stray line: 'leaders in the healthcare industry to identify opportunities for improvement in healthcare, propose a solution, and perform a business analysis to'
  ➜ Skipping stray line: 'evaluate its feasibility. In addition, the capstone project encourages work in the healthcare industry that will be showcased in your collection of work'
  ➜ Skipping stray line: 'and help solidify professional relationships in the industry.'
  ➜ Skipping stray line: 'C439 - Healthcare Management Capstone - This course is the culminating experience and assessment of healthcare business administration. This'
  ➜ Skipping stray line: 'course requires the student to integrate and synthesize managerial skills with healthcare knowledge, resulting in a high quality final project that'
  ➜ Skipping stray line: 'demonstrates professional managerial proficiency.'
  ➜ Skipping stray line: 'C451 - Integrated Natural Science - Integrated Natural Sciences explores the natural world through an integrated perspective and helps students'
  ➜ Skipping stray line: 'begin to see and draw numerous connections among events in the natural world. Topics include the universe, the Earth, ecosystems and organisms.'
  ➜ Skipping stray line: 'C452 - Integrated Natural Science Applications - Integrated Natural Sciences Applications explores the natural world through an integrated'
  ➜ Skipping stray line: 'perspective and helps students apply scientific concepts and methodologies to the examination of natural science fundamentals.'
  ➜ Skipping stray line: 'C453 - Clinical Microbiology - Clinical Microbiology introduces general concepts, methods, and applications of microbiology from a health sciences'
  ➜ Skipping stray line: 'perspective. The course is designed to provide healthcare professionals with a basic understanding of how various diseases are transmitted and'
  ➜ Skipping stray line: 'controlled. Students will examine the structure and function of microorganisms, including the roles that they play in causing major diseases. The'
  ➜ Skipping stray line: 'course also explores immunological, pathological and epidemiological factors associated with disease. To assist students in developing an applied,'
  ➜ Skipping stray line: 'patient-focused understanding of microbiology, this course is complimented by several lab experiments which allow students to: practice aseptic'
  ➜ Skipping stray line: 'techniques, grow bacteria and fungi, identify characteristics of bacteria and yeast based on biochemical and environmental tests, determine antibiotic'
  ➜ Skipping stray line: 'susceptibility, discover the microorganisms growing on objects and surfaces, and determine the Gram characteristic of bacteria. This course has no'
  ➜ Skipping stray line: 'pre-requisites.'
  ➜ Skipping stray line: 'C455 - English Composition I - English Composition I introduces learners to the types of writing and thinking that are valued in college and beyond.'
  ➜ Skipping stray line: 'Students will practice writing in several genres with emphasis placed on writing and revising academic arguments. Instruction and exercises in'
  ➜ Skipping stray line: 'grammar, mechanics, research documentation, and style are paired with each module so that writers can practice these skills as necessary.'
  ➜ Skipping stray line: 'Comp I is a foundational course designed to help students prepare for success at the college level.'
  ➜ Skipping stray line: 'There are no prerequisites for English Composition I.'
  ➜ Skipping stray line: 'C456 - English Composition II - English Composition II introduces undergraduate students to research writing. It is a foundational course designed to'
  ➜ Skipping stray line: 'help students prepare for advanced writing within the discipline and to complete the capstone. Specifically, this course will help students develop or'
  ➜ Skipping stray line: 'improve research, reference citation, document organization, and writing skills. English Composition I or equivalent is a prerequisite for this course.'
  ➜ Skipping stray line: 'C457 - Foundations of College Mathematics - Foundations of College Mathematics addresses the sequence of learning activities necessary to build'
  ➜ Skipping stray line: 'competence in foundational concepts of College Mathematics, which include whole numbers, fractions, decimals, ratios, proportions and percents,'
  ➜ Skipping stray line: 'geometry, statistics, the real number system, equations, inequalities, applications, and graphs of linear equations.'
  ➜ Skipping stray line: 'C458 - Health, Fitness and Wellness - Health, Fitness and Wellness focuses on the importance and foundations of good health and physical fitness,'
  ➜ Skipping stray line: 'particularly for children and adolescents, addressing health, nutrition, fitness, and substance use and abuse.'
  ➜ Skipping stray line: 'C459 - Introduction to Probability and Statistics - In this course, students demonstrate competency in the basic concepts, logic, and issues'
  ➜ Skipping stray line: 'involved in statistical reasoning. Topics include summarizing and analyzing data, sampling and study design, and probability.'
  ➜ Skipping stray line: 'C460 - Mathematics for Elementary Educators I - Mathematics for Elementary Educators I engages pre-service elementary teachers in'
  ➜ Skipping stray line: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in problem solving, set theory,'
  ➜ Skipping stray line: 'number theory, whole numbers and integers. This is the first course in a three-course sequence.'
  ➜ Skipping stray line: 'C461 - Mathematics for Elementary Educators II - This course engages pre-service elementary teachers in mathematical practices based on deep'
  ➜ Skipping stray line: 'understanding of underlying concepts. This course takes the arithmetic of the first course and generalizes it into algebraic reasoning. The course also'
  ➜ Skipping stray line: 'touches on important topics in probability. This is the second course in a three-course sequence.'
  ➜ Skipping stray line: 'C462 - Mathematics for Elementary Educators III - Mathematics for Elementary Educators III engages pre-service elementary teachers in'
  ➜ Skipping stray line: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in statistics, measurement, and'
  ➜ Skipping stray line: 'covers geometry from synthetic, transformational, and coordinate perspectives. This is the third course in a three-course sequence.'
  ➜ Skipping stray line: 'C463 - Intermediate Algebra - This course provides an introduction of algebraic concepts and the development of the essential groundwork for'
  ➜ Skipping stray line: 'College Algebra. Topics include: A review of basic mathematical skills, the real number system, algebraic expressions, linear equations, graphing,'
  ➜ Skipping stray line: 'exponents and polynomials'
  ➜ Skipping stray line: 'C464 - Introduction to Communication - This introductory communication course allows students to become familiar with the fundamental'
  ➜ Skipping stray line: 'communication theories and practices necessary to engage in healthy professional and personal relationships. Students will survey human'
  ➜ Skipping stray line: 'communication on multiple levels and critically apply the theoretical grounding of the course to interpersonal, intercultural, small group, and public'
  ➜ Skipping stray line: 'presentational contexts. The course also encourages students to consider the influence of language, perception, culture, and media on their daily'
  ➜ Skipping stray line: 'communicative interactions. In addition to theory, students will engage in the application of effective communication skills through systematically'
  ➜ Skipping stray line: 'preparing and delivering an oral presentation. By practicing these fundamental skills in human communication, students become more competent'
  ➜ Skipping stray line: 'communicators as they develop more flexible, useful, and discriminatory communicative practices in a variety of contexts.'
  ➜ Skipping stray line: 'C465 - Care of the Developing Family - .'
  ➜ Skipping stray line: 'C466 - Medication Dosage Calculations - In Medication Dosage Calculations, students learn about individualized drug dosing concepts, including:'
  ➜ Skipping stray line: 'different measurement systems, solid and liquid medications, calculating dosages based on body weight or body surface area, interpreting drug labels'
  ➜ Skipping stray line: 'and abbreviations, and common medication errors.'
  ➜ Skipping stray line: 'C467 - Pharmacology - Pharmacology covers concepts in pharmacology including drug classification and effects, the role of the nurse in drug'
  ➜ Skipping stray line: 'therapy, preparation and administration of drugs, and ethical and legal issues surrounding medication administration. The Institute of Medicine reports'
  ➜ Skipping stray line: 'that cited medication errors as the most common medical errors, costing billions of dollars and harming up to 1.5 million people every year. Medication'
  ➜ Skipping stray line: 'errors are often the result of nurses failing to follow proper procedures. The pharmacology course covers the following concepts: the nursing process'
  ➜ Skipping stray line: 'in relation to drug therapy; the role of pharmacological principles in nursing; the role of the nurse in pharmacy and lifespan considerations; cultural,'
  ➜ Skipping stray line: 'ethical, and legal considerations; education and substance abuse; and gene therapy and pharmacology. This course introduces the nursing student to'
  ➜ Skipping stray line: 'these concepts and continues to integrate pharmacology throughout the clinical courses within the program.'
  ➜ Skipping stray line: 'C468 - Information Management and the Application of Technology - Information Management and the Application of Technology helps the'
  ➜ Skipping stray line: 'student learn how to identify and implement the unique responsibilities of nurses related to the application of technology and the management of'
  ➜ Skipping stray line: 'patient information. This includes: understanding the evolving role of nurse informaticists; demonstrating the skills needed to use electronic health'
  ➜ Skipping stray line: 'records; identifying nurse-sensitive outcomes that lead to quality improvement measures; supporting the contributions of nurses to patient care;'
  ➜ Skipping stray line: 'examining workflow changes related to the implementation of computerized management systems; and learning to analyze the implications of new'
  ➜ Skipping stray line: 'technology on security, practice, and research.'
  ➜ Skipping stray line: 'C469 - Caring Arts and Science Across the Lifespan Part I - Caring Arts and Science Across the Lifespan Part I introduces nursing fundamentals'
  ➜ Skipping stray line: 'which speak to the core of all nursing care by assessing the needs of patients with compassion and respect; advocating for patients and their families;'
  ➜ Skipping stray line: 'providing education and comfort; and integrating patient needs into a plan of care that embraces individuality, diversity, and belief. Students continue'
  ➜ Skipping stray line: 'to learn about fundamental nursing skills within their didactic environment and will be provided time to practice in a learning lab environment.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 158'
  ➜ Skipping stray line: 'C470 - Caring Arts and Science Across the Lifespan Part I Clinical Learning - This course includes all aspects of clinical learning related to the'
  ➜ Skipping stray line: 'fundamentals of nursing practice. Learning labs will teach and assess task skill knowledge including physical assessment, safe medication'
  ➜ Skipping stray line: 'administration, oxygenation; nutrition, metabolism, & elimination; skin integrity, activity, & mobility; and cognition. Students who are successful in lab'
  ➜ Skipping stray line: 'assessments will progress to live patient clinicals and will be assessed for their mastery of basic levels of the key behaviors for clinical practice of a'
  ➜ Skipping stray line: 'novice nursing student.'
  ➜ Skipping stray line: 'C471 - Caring Arts and Science Across the Lifespan Part II - Caring Arts and Science Across the Lifespan Part II topics include management of'
  ➜ Skipping stray line: 'the perioperative care continuum; patient centered care of the adult; care of the adult with alterations in circulation; car of the adult with alterations in'
  ➜ Skipping stray line: 'cardiovascular function; care of the adult with alterations in oxygenation; care of the adult with alterations in neurosensory function; fundamental'
  ➜ Skipping stray line: 'patient self-determination & advocacy; and end-of-life care. This course incorporates virtual simulations into the didactic course to help students'
  ➜ Skipping stray line: 'prepare for their learning labs and clinical learning experience. Patient scenarios for the virtual simulations include: fluid & electrolyte imbalance; blood'
  ➜ Skipping stray line: 'transfusion reaction; severe reaction to antibiotic; pulmonary embolism; and postoperative complications with a fracture.'
  ➜ Skipping stray line: 'C472 - Caring Arts and Science Across the Lifespan Part II Clinical Learning - The clinical learning course for CASAL II includes all aspects of'
  ➜ Skipping stray line: 'clinical learning related to medical surgical nursing practice. Learning labs will teach and assess task skill knowledge progressing to high fidelity'
  ➜ Skipping stray line: 'simulation scenarios to develop mastery of situated use of knowledge and synthesis of knowledge in clinical scenarios that focus on perioperative'
  ➜ Skipping stray line: 'care. The virtual simulations that students completed in didactic will prepare them for their learning lab scenarios. Students who are successful in lab'
  ➜ Skipping stray line: 'assessments will progress to live patient clinicals and will be assessed for their mastery of basic levels of the key behaviors for clinical practice of'
  ➜ Skipping stray line: 'Medical Surgical nursing.'
  ➜ Skipping stray line: 'C473 - Care of Adults with Complex Illnesses - The Care of Adults with Complex Illnesses course builds on prior knowledge of medical surgical'
  ➜ Skipping stray line: 'nursing care and common conditions, focusing on diseases and conditions that affect the neuromuscular system, the musculoskeletal system, the'
  ➜ Skipping stray line: 'kidneys, the pancreas, and diseases such as cancer and impaired immunity, which affect every part of the body. Students will develop mastery of'
  ➜ Skipping stray line: 'competencies related to advanced medical surgical nursing practice. This course also utilizes virtual simulation scenarios to help students prepare for'
  ➜ Skipping stray line: 'their learning labs and their clinical intensives. Students work through the following patient scenarios: diabetes/hypoglycemia; postop abdominal'
  ➜ Skipping stray line: 'hysterectomy/opioid intoxication; acute severe asthma; acute myocardial infarction; and respiratory system disease.'
  ➜ Skipping stray line: 'C474 - Clinical Learning for Complex Illnesses in Adults - Clinical Care of Adults with Complex Illnesses includes all aspects of clinical learning'
  ➜ Skipping stray line: 'related to advanced medical surgical nursing practice. Learning labs will teach and assess advanced clinical competencies through the use of high'
  ➜ Skipping stray line: 'fidelity simulation and advanced clinical debriefing for clinical scenarios. Students participate in skills related to advance medication administration,'
  ➜ Skipping stray line: 'central venous devices, and peripherally inserted central catheters. The virtual simulations that students completed in didactic will prepare them for'
  ➜ Skipping stray line: 'their learning lab scenarios. Students who are successful in simulation assessments will progress to live patient clinicals and will be assessed for their'
  ➜ Title candidate: 'mastery of advanced levels of the key behaviors for clinical practice of Medical Surgical nursing.'
  ✔️ Collected description (1790 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 5104: 'C188 - Software Engineering - This course introduces the concepts of software engineering to IT core graduates. It is a standalone course that is'

🔍 parse_program: starting at line 5104: 'C188 - Software Engineering - This course introduces the concepts of software engineering to IT core graduates. It is a standalone course that is'
  ➜ Title candidate: 'C188 - Software Engineering - This course introduces the concepts of software engineering to IT core graduates. It is a standalone course that is'
  ❌ Invalid title line: 'C188 - Software Engineering - This course introduces the concepts of software engineering to IT core graduates. It is a standalone course that is'
  ➜ Parsing at 5105: 'critical to the IT program. It emphasizes the need for a disciplined approach to software engineering by providing an overview of software and software'

🔍 parse_program: starting at line 5105: 'critical to the IT program. It emphasizes the need for a disciplined approach to software engineering by providing an overview of software and software'
  ➜ Title candidate: 'critical to the IT program. It emphasizes the need for a disciplined approach to software engineering by providing an overview of software and software'
  ❌ Invalid title line: 'critical to the IT program. It emphasizes the need for a disciplined approach to software engineering by providing an overview of software and software'
  ➜ Parsing at 5106: 'engineering processes and why they are challenging. A generic process framework is covered to provide the groundwork for formal process models.'

🔍 parse_program: starting at line 5106: 'engineering processes and why they are challenging. A generic process framework is covered to provide the groundwork for formal process models.'
  ➜ Title candidate: 'engineering processes and why they are challenging. A generic process framework is covered to provide the groundwork for formal process models.'
  ❌ Invalid title line: 'engineering processes and why they are challenging. A generic process framework is covered to provide the groundwork for formal process models.'
  ➜ Parsing at 5107: 'Prescriptive process models (e.g., Waterfall Model) and Agile Development is included. An introduction to the elements/phases of software'

🔍 parse_program: starting at line 5107: 'Prescriptive process models (e.g., Waterfall Model) and Agile Development is included. An introduction to the elements/phases of software'
  ➜ Title candidate: 'Prescriptive process models (e.g., Waterfall Model) and Agile Development is included. An introduction to the elements/phases of software'
  ❌ Invalid title line: 'Prescriptive process models (e.g., Waterfall Model) and Agile Development is included. An introduction to the elements/phases of software'
  ➜ Parsing at 5108: 'engineering is introduced which includes Requirements Engineering (including UML, Use Cases), Design Concepts, Software Quality and Software'

🔍 parse_program: starting at line 5108: 'engineering is introduced which includes Requirements Engineering (including UML, Use Cases), Design Concepts, Software Quality and Software'
  ➜ Title candidate: 'engineering is introduced which includes Requirements Engineering (including UML, Use Cases), Design Concepts, Software Quality and Software'
  ❌ Invalid title line: 'engineering is introduced which includes Requirements Engineering (including UML, Use Cases), Design Concepts, Software Quality and Software'
  ➜ Parsing at 5109: 'Testing, and Project Management.'

🔍 parse_program: starting at line 5109: 'Testing, and Project Management.'
  ➜ Title candidate: 'Testing, and Project Management.'
  ❌ Invalid title line: 'Testing, and Project Management.'
  ➜ Parsing at 5110: 'C189 - Data Structures - Students will learn the fundamentals of dynamic data structures, such as bags, lists, stacks, queues, trees, hash tables, and'

🔍 parse_program: starting at line 5110: 'C189 - Data Structures - Students will learn the fundamentals of dynamic data structures, such as bags, lists, stacks, queues, trees, hash tables, and'
  ➜ Title candidate: 'C189 - Data Structures - Students will learn the fundamentals of dynamic data structures, such as bags, lists, stacks, queues, trees, hash tables, and'
  ❌ Invalid title line: 'C189 - Data Structures - Students will learn the fundamentals of dynamic data structures, such as bags, lists, stacks, queues, trees, hash tables, and'
  ➜ Parsing at 5111: 'their associated algorithms, using object-oriented design and abstract data types as a design paradigm. The course emphasizes problem solving and'

🔍 parse_program: starting at line 5111: 'their associated algorithms, using object-oriented design and abstract data types as a design paradigm. The course emphasizes problem solving and'
  ➜ Title candidate: 'their associated algorithms, using object-oriented design and abstract data types as a design paradigm. The course emphasizes problem solving and'
  ❌ Invalid title line: 'their associated algorithms, using object-oriented design and abstract data types as a design paradigm. The course emphasizes problem solving and'
  ➜ Parsing at 5112: 'techniques applied to the design of efficient, maintainable software applications. Students will implement simple applications using the techniques'

🔍 parse_program: starting at line 5112: 'techniques applied to the design of efficient, maintainable software applications. Students will implement simple applications using the techniques'
  ➜ Title candidate: 'techniques applied to the design of efficient, maintainable software applications. Students will implement simple applications using the techniques'
  ❌ Invalid title line: 'techniques applied to the design of efficient, maintainable software applications. Students will implement simple applications using the techniques'
  ➜ Parsing at 5113: 'learned.'

🔍 parse_program: starting at line 5113: 'learned.'
  ➜ Title candidate: 'learned.'
  ❌ Invalid title line: 'learned.'
  ➜ Parsing at 5114: 'C190 - Introduction to Biology - This course is a foundational introduction to the biological sciences. The overarching theories of life from biological'

🔍 parse_program: starting at line 5114: 'C190 - Introduction to Biology - This course is a foundational introduction to the biological sciences. The overarching theories of life from biological'
  ➜ Title candidate: 'C190 - Introduction to Biology - This course is a foundational introduction to the biological sciences. The overarching theories of life from biological'
  ❌ Invalid title line: 'C190 - Introduction to Biology - This course is a foundational introduction to the biological sciences. The overarching theories of life from biological'
  ➜ Parsing at 5115: 'research are explored as well as the fundamental concepts and principles of the study of living organisms and their interaction with the environment.'

🔍 parse_program: starting at line 5115: 'research are explored as well as the fundamental concepts and principles of the study of living organisms and their interaction with the environment.'
  ➜ Title candidate: 'research are explored as well as the fundamental concepts and principles of the study of living organisms and their interaction with the environment.'
  ❌ Invalid title line: 'research are explored as well as the fundamental concepts and principles of the study of living organisms and their interaction with the environment.'
  ➜ Parsing at 5116: 'Key concepts include how living organisms use and produce energy; how life grows, develops, and reproduces; how life responds to the environment'

🔍 parse_program: starting at line 5116: 'Key concepts include how living organisms use and produce energy; how life grows, develops, and reproduces; how life responds to the environment'
  ➜ Title candidate: 'Key concepts include how living organisms use and produce energy; how life grows, develops, and reproduces; how life responds to the environment'
  ❌ Invalid title line: 'Key concepts include how living organisms use and produce energy; how life grows, develops, and reproduces; how life responds to the environment'
  ➜ Parsing at 5117: 'to maintain internal stability; and how life evolves and adapts to the environment.'

🔍 parse_program: starting at line 5117: 'to maintain internal stability; and how life evolves and adapts to the environment.'
  ➜ Title candidate: 'to maintain internal stability; and how life evolves and adapts to the environment.'
  ❌ Invalid title line: 'to maintain internal stability; and how life evolves and adapts to the environment.'
  ➜ Parsing at 5118: 'C191 - Operating Systems for Programmers - This course covers operating systems from the perspective of a programmer including the placement'

🔍 parse_program: starting at line 5118: 'C191 - Operating Systems for Programmers - This course covers operating systems from the perspective of a programmer including the placement'
  ➜ Title candidate: 'C191 - Operating Systems for Programmers - This course covers operating systems from the perspective of a programmer including the placement'
  ❌ Invalid title line: 'C191 - Operating Systems for Programmers - This course covers operating systems from the perspective of a programmer including the placement'
  ➜ Parsing at 5119: 'of the operating system in the layered application development model. Primarily OSs provide Memory Management, Task Scheduling, and CPU'

🔍 parse_program: starting at line 5119: 'of the operating system in the layered application development model. Primarily OSs provide Memory Management, Task Scheduling, and CPU'
  ➜ Title candidate: 'of the operating system in the layered application development model. Primarily OSs provide Memory Management, Task Scheduling, and CPU'
  ❌ Invalid title line: 'of the operating system in the layered application development model. Primarily OSs provide Memory Management, Task Scheduling, and CPU'
  ➜ Parsing at 5120: 'allocation. Secondarily, OSs provide tools for file storage/access, permission control, event handling, network access, and cross-process interaction.'

🔍 parse_program: starting at line 5120: 'allocation. Secondarily, OSs provide tools for file storage/access, permission control, event handling, network access, and cross-process interaction.'
  ➜ Title candidate: 'allocation. Secondarily, OSs provide tools for file storage/access, permission control, event handling, network access, and cross-process interaction.'
  ❌ Invalid title line: 'allocation. Secondarily, OSs provide tools for file storage/access, permission control, event handling, network access, and cross-process interaction.'
  ➜ Parsing at 5121: 'OSs also provide tools for debugging problems within a single process or within groups of programs.'

🔍 parse_program: starting at line 5121: 'OSs also provide tools for debugging problems within a single process or within groups of programs.'
  ➜ Title candidate: 'OSs also provide tools for debugging problems within a single process or within groups of programs.'
  ❌ Invalid title line: 'OSs also provide tools for debugging problems within a single process or within groups of programs.'
  ➜ Parsing at 5122: 'C192 - Data Management for Programmers - This course introduces storage of various kinds and formats of data. Students will use standard SQL to'

🔍 parse_program: starting at line 5122: 'C192 - Data Management for Programmers - This course introduces storage of various kinds and formats of data. Students will use standard SQL to'
  ➜ Title candidate: 'C192 - Data Management for Programmers - This course introduces storage of various kinds and formats of data. Students will use standard SQL to'
  ❌ Invalid title line: 'C192 - Data Management for Programmers - This course introduces storage of various kinds and formats of data. Students will use standard SQL to'
  ➜ Parsing at 5123: 'demonstrate query capabilities provided by database management systems. The course will further cover data-related topics: data presentation,'

🔍 parse_program: starting at line 5123: 'demonstrate query capabilities provided by database management systems. The course will further cover data-related topics: data presentation,'
  ➜ Title candidate: 'demonstrate query capabilities provided by database management systems. The course will further cover data-related topics: data presentation,'
  ❌ Invalid title line: 'demonstrate query capabilities provided by database management systems. The course will further cover data-related topics: data presentation,'
  ➜ Parsing at 5124: 'security (access and encryption), transaction management, and administration (backup, disaster recovery, and performance tuning). This course will'

🔍 parse_program: starting at line 5124: 'security (access and encryption), transaction management, and administration (backup, disaster recovery, and performance tuning). This course will'
  ➜ Title candidate: 'security (access and encryption), transaction management, and administration (backup, disaster recovery, and performance tuning). This course will'
  ❌ Invalid title line: 'security (access and encryption), transaction management, and administration (backup, disaster recovery, and performance tuning). This course will'
  ➜ Parsing at 5125: 'address advanced topics such as data warehousing, data mining and distributed databases.'

🔍 parse_program: starting at line 5125: 'address advanced topics such as data warehousing, data mining and distributed databases.'
  ➜ Title candidate: 'address advanced topics such as data warehousing, data mining and distributed databases.'
  ❌ Invalid title line: 'address advanced topics such as data warehousing, data mining and distributed databases.'
  ➜ Parsing at 5126: 'C193 - Client-Server Application Development - This course introduces students to client/server application programming classes, structures, and'

🔍 parse_program: starting at line 5126: 'C193 - Client-Server Application Development - This course introduces students to client/server application programming classes, structures, and'
  ➜ Title candidate: 'C193 - Client-Server Application Development - This course introduces students to client/server application programming classes, structures, and'
  ❌ Invalid title line: 'C193 - Client-Server Application Development - This course introduces students to client/server application programming classes, structures, and'
  ➜ Parsing at 5127: 'concepts. The course covers networking and client/server, streams, threads, URLs, URIs, HTTP, and socket programming concepts.'

🔍 parse_program: starting at line 5127: 'concepts. The course covers networking and client/server, streams, threads, URLs, URIs, HTTP, and socket programming concepts.'
  ➜ Title candidate: 'concepts. The course covers networking and client/server, streams, threads, URLs, URIs, HTTP, and socket programming concepts.'
  ❌ Invalid title line: 'concepts. The course covers networking and client/server, streams, threads, URLs, URIs, HTTP, and socket programming concepts.'
  ➜ Parsing at 5128: 'C195 - Software II - Advanced Java Concepts - Software II – Advanced Java Concepts refines object-oriented programming expertise and builds'

🔍 parse_program: starting at line 5128: 'C195 - Software II - Advanced Java Concepts - Software II – Advanced Java Concepts refines object-oriented programming expertise and builds'
  ➜ Title candidate: 'C195 - Software II - Advanced Java Concepts - Software II – Advanced Java Concepts refines object-oriented programming expertise and builds'
  ❌ Invalid title line: 'C195 - Software II - Advanced Java Concepts - Software II – Advanced Java Concepts refines object-oriented programming expertise and builds'
  ➜ Parsing at 5129: 'database and file server application development skills. You will learn about and put into action lambda expressions, collections, input/output,'

🔍 parse_program: starting at line 5129: 'database and file server application development skills. You will learn about and put into action lambda expressions, collections, input/output,'
  ➜ Title candidate: 'database and file server application development skills. You will learn about and put into action lambda expressions, collections, input/output,'
  ❌ Invalid title line: 'database and file server application development skills. You will learn about and put into action lambda expressions, collections, input/output,'
  ➜ Parsing at 5130: 'advanced error handling, and the newest features of Java 8 to develop software that meets business requirements. This course requires intermediate'

🔍 parse_program: starting at line 5130: 'advanced error handling, and the newest features of Java 8 to develop software that meets business requirements. This course requires intermediate'
  ➜ Title candidate: 'advanced error handling, and the newest features of Java 8 to develop software that meets business requirements. This course requires intermediate'
  ❌ Invalid title line: 'advanced error handling, and the newest features of Java 8 to develop software that meets business requirements. This course requires intermediate'
  ➜ Parsing at 5131: 'expertise in object-oriented programming and the Java language.'

🔍 parse_program: starting at line 5131: 'expertise in object-oriented programming and the Java language.'
  ➜ Title candidate: 'expertise in object-oriented programming and the Java language.'
  ❌ Invalid title line: 'expertise in object-oriented programming and the Java language.'
  ➜ Parsing at 5132: 'C196 - Mobile Application Development - This course introduces students to programming for mobile devices using a Software Development Kit'

🔍 parse_program: starting at line 5132: 'C196 - Mobile Application Development - This course introduces students to programming for mobile devices using a Software Development Kit'
  ➜ Title candidate: 'C196 - Mobile Application Development - This course introduces students to programming for mobile devices using a Software Development Kit'
  ❌ Invalid title line: 'C196 - Mobile Application Development - This course introduces students to programming for mobile devices using a Software Development Kit'
  ➜ Parsing at 5133: '(SDK). Students with previous knowledge of programming will learn how to install and utilize a SDK, build a basic mobile application, build a mobile'

🔍 parse_program: starting at line 5133: '(SDK). Students with previous knowledge of programming will learn how to install and utilize a SDK, build a basic mobile application, build a mobile'
  ➜ Title candidate: '(SDK). Students with previous knowledge of programming will learn how to install and utilize a SDK, build a basic mobile application, build a mobile'
  ❌ Invalid title line: '(SDK). Students with previous knowledge of programming will learn how to install and utilize a SDK, build a basic mobile application, build a mobile'
  ➜ Parsing at 5134: 'applications using a graphical user interface(GUI), adapt applications to different mobile devices, save data, execute and debug mobile applications'

🔍 parse_program: starting at line 5134: 'applications using a graphical user interface(GUI), adapt applications to different mobile devices, save data, execute and debug mobile applications'
  ➜ Title candidate: 'applications using a graphical user interface(GUI), adapt applications to different mobile devices, save data, execute and debug mobile applications'
  ❌ Invalid title line: 'applications using a graphical user interface(GUI), adapt applications to different mobile devices, save data, execute and debug mobile applications'
  ➜ Parsing at 5135: 'using emulators, and deploy a mobile application.'

🔍 parse_program: starting at line 5135: 'using emulators, and deploy a mobile application.'
  ➜ Title candidate: 'using emulators, and deploy a mobile application.'
  ❌ Invalid title line: 'using emulators, and deploy a mobile application.'
  ➜ Parsing at 5136: 'C200 - Managing Organizations and Leading People - This course covers principles of effective management and leadership that maximize'

🔍 parse_program: starting at line 5136: 'C200 - Managing Organizations and Leading People - This course covers principles of effective management and leadership that maximize'
  ➜ Title candidate: 'C200 - Managing Organizations and Leading People - This course covers principles of effective management and leadership that maximize'
  ❌ Invalid title line: 'C200 - Managing Organizations and Leading People - This course covers principles of effective management and leadership that maximize'
  ➜ Parsing at 5137: 'organizational performance. The following topics are included: the role and functions of a manager, analysis of personal leadership styles, approaches'

🔍 parse_program: starting at line 5137: 'organizational performance. The following topics are included: the role and functions of a manager, analysis of personal leadership styles, approaches'
  ➜ Title candidate: 'organizational performance. The following topics are included: the role and functions of a manager, analysis of personal leadership styles, approaches'
  ❌ Invalid title line: 'organizational performance. The following topics are included: the role and functions of a manager, analysis of personal leadership styles, approaches'
  ➜ Parsing at 5138: 'to self-awareness and self-assessment, and application of foundational leadership and management skills.'

🔍 parse_program: starting at line 5138: 'to self-awareness and self-assessment, and application of foundational leadership and management skills.'
  ➜ Title candidate: 'to self-awareness and self-assessment, and application of foundational leadership and management skills.'
  ❌ Invalid title line: 'to self-awareness and self-assessment, and application of foundational leadership and management skills.'
  ➜ Parsing at 5139: 'C201 - Business Acumen - This course introduces you to the operation of the business enterprise and the role of management in directing its'

🔍 parse_program: starting at line 5139: 'C201 - Business Acumen - This course introduces you to the operation of the business enterprise and the role of management in directing its'
  ➜ Title candidate: 'C201 - Business Acumen - This course introduces you to the operation of the business enterprise and the role of management in directing its'
  ❌ Invalid title line: 'C201 - Business Acumen - This course introduces you to the operation of the business enterprise and the role of management in directing its'
  ➜ Parsing at 5140: 'activities. You will examine the roles of management in the context of business functions such as marketing, operations, accounting, finance, and'

🔍 parse_program: starting at line 5140: 'activities. You will examine the roles of management in the context of business functions such as marketing, operations, accounting, finance, and'
  ➜ Title candidate: 'activities. You will examine the roles of management in the context of business functions such as marketing, operations, accounting, finance, and'
  ❌ Invalid title line: 'activities. You will examine the roles of management in the context of business functions such as marketing, operations, accounting, finance, and'
  ➜ Parsing at 5141: 'others.'

🔍 parse_program: starting at line 5141: 'others.'
  ➜ Title candidate: 'others.'
  ❌ Invalid title line: 'others.'
  ➜ Parsing at 5142: 'C202 - Managing Human Capital - This course focuses on strategies and tools that managers use to maximize employee contribution and create'

🔍 parse_program: starting at line 5142: 'C202 - Managing Human Capital - This course focuses on strategies and tools that managers use to maximize employee contribution and create'
  ➜ Title candidate: 'C202 - Managing Human Capital - This course focuses on strategies and tools that managers use to maximize employee contribution and create'
  ❌ Invalid title line: 'C202 - Managing Human Capital - This course focuses on strategies and tools that managers use to maximize employee contribution and create'
  ➜ Parsing at 5143: 'organizational excellence. You will learn talent management strategies to motivate and develop employees as well as best practices to manage'

🔍 parse_program: starting at line 5143: 'organizational excellence. You will learn talent management strategies to motivate and develop employees as well as best practices to manage'
  ➜ Title candidate: 'organizational excellence. You will learn talent management strategies to motivate and develop employees as well as best practices to manage'
  ❌ Invalid title line: 'organizational excellence. You will learn talent management strategies to motivate and develop employees as well as best practices to manage'
  ➜ Parsing at 5144: 'performance for added value.'

🔍 parse_program: starting at line 5144: 'performance for added value.'
  ➜ Title candidate: 'performance for added value.'
  ❌ Invalid title line: 'performance for added value.'
  ➜ Parsing at 5145: 'C203 - Becoming an Effective Leader - This course explores major theories and approaches to leadership, leadership style evaluation, and personal'

🔍 parse_program: starting at line 5145: 'C203 - Becoming an Effective Leader - This course explores major theories and approaches to leadership, leadership style evaluation, and personal'
  ➜ Title candidate: 'C203 - Becoming an Effective Leader - This course explores major theories and approaches to leadership, leadership style evaluation, and personal'
  ❌ Invalid title line: 'C203 - Becoming an Effective Leader - This course explores major theories and approaches to leadership, leadership style evaluation, and personal'
  ➜ Parsing at 5146: 'leadership development while focusing on motivation, development, and achievement of others. You will learn how to influence followers, manage'

🔍 parse_program: starting at line 5146: 'leadership development while focusing on motivation, development, and achievement of others. You will learn how to influence followers, manage'
  ➜ Title candidate: 'leadership development while focusing on motivation, development, and achievement of others. You will learn how to influence followers, manage'
  ❌ Invalid title line: 'leadership development while focusing on motivation, development, and achievement of others. You will learn how to influence followers, manage'
  ➜ Parsing at 5147: 'organizational culture, and enhance your effectiveness as a leader.'

🔍 parse_program: starting at line 5147: 'organizational culture, and enhance your effectiveness as a leader.'
  ➜ Title candidate: 'organizational culture, and enhance your effectiveness as a leader.'
  ❌ Invalid title line: 'organizational culture, and enhance your effectiveness as a leader.'
  ➜ Parsing at 5148: 'C204 - Management Communication - This course prepares you for the communication challenges in organizations. Topics examined include:'

🔍 parse_program: starting at line 5148: 'C204 - Management Communication - This course prepares you for the communication challenges in organizations. Topics examined include:'
  ➜ Title candidate: 'C204 - Management Communication - This course prepares you for the communication challenges in organizations. Topics examined include:'
  ❌ Invalid title line: 'C204 - Management Communication - This course prepares you for the communication challenges in organizations. Topics examined include:'
  ➜ Parsing at 5149: 'theories and strategies of communication, persuasion, conflict management and ethics that enhance communication to various audiences.'

🔍 parse_program: starting at line 5149: 'theories and strategies of communication, persuasion, conflict management and ethics that enhance communication to various audiences.'
  ➜ Title candidate: 'theories and strategies of communication, persuasion, conflict management and ethics that enhance communication to various audiences.'
  ❌ Invalid title line: 'theories and strategies of communication, persuasion, conflict management and ethics that enhance communication to various audiences.'
  ➜ Parsing at 5150: 'C205 - Leading Teams - This course helps you establish team objectives, align the team purpose with organizational goals, build credibility and trust,'

🔍 parse_program: starting at line 5150: 'C205 - Leading Teams - This course helps you establish team objectives, align the team purpose with organizational goals, build credibility and trust,'
  ➜ Title candidate: 'C205 - Leading Teams - This course helps you establish team objectives, align the team purpose with organizational goals, build credibility and trust,'
  ❌ Invalid title line: 'C205 - Leading Teams - This course helps you establish team objectives, align the team purpose with organizational goals, build credibility and trust,'
  ➜ Parsing at 5151: 'and develop the talents of individuals to enhance team performance.'

🔍 parse_program: starting at line 5151: 'and develop the talents of individuals to enhance team performance.'
  ➜ Title candidate: 'and develop the talents of individuals to enhance team performance.'
  ❌ Invalid title line: 'and develop the talents of individuals to enhance team performance.'
  ➜ Parsing at 5152: 'C206 - Ethical Leadership - This course examines the ethical issues and dilemmas managers face. This course provides a framework for analysis of'

🔍 parse_program: starting at line 5152: 'C206 - Ethical Leadership - This course examines the ethical issues and dilemmas managers face. This course provides a framework for analysis of'
  ➜ Title candidate: 'C206 - Ethical Leadership - This course examines the ethical issues and dilemmas managers face. This course provides a framework for analysis of'
  ❌ Invalid title line: 'C206 - Ethical Leadership - This course examines the ethical issues and dilemmas managers face. This course provides a framework for analysis of'
  ➜ Parsing at 5153: 'management-related ethical issues and decision-making action required for satisfactory resolution of these issues.'

🔍 parse_program: starting at line 5153: 'management-related ethical issues and decision-making action required for satisfactory resolution of these issues.'
  ➜ Title candidate: 'management-related ethical issues and decision-making action required for satisfactory resolution of these issues.'
  ❌ Invalid title line: 'management-related ethical issues and decision-making action required for satisfactory resolution of these issues.'
  ➜ Parsing at 5154: 'C207 - Data-Driven Decision Making - This course presents critical problem-solving methodologies, including field research and data collection'

🔍 parse_program: starting at line 5154: 'C207 - Data-Driven Decision Making - This course presents critical problem-solving methodologies, including field research and data collection'
  ➜ Title candidate: 'C207 - Data-Driven Decision Making - This course presents critical problem-solving methodologies, including field research and data collection'
  ❌ Invalid title line: 'C207 - Data-Driven Decision Making - This course presents critical problem-solving methodologies, including field research and data collection'
  ➜ Parsing at 5155: 'methods that enhance organizational performance. Topics include quantitative analysis, statistical and quality tools. You will improve your ability to'

🔍 parse_program: starting at line 5155: 'methods that enhance organizational performance. Topics include quantitative analysis, statistical and quality tools. You will improve your ability to'
  ➜ Title candidate: 'methods that enhance organizational performance. Topics include quantitative analysis, statistical and quality tools. You will improve your ability to'
  ❌ Invalid title line: 'methods that enhance organizational performance. Topics include quantitative analysis, statistical and quality tools. You will improve your ability to'
  ➜ Parsing at 5156: 'use data to make informed decisions.'

🔍 parse_program: starting at line 5156: 'use data to make informed decisions.'
  ➜ Title candidate: 'use data to make informed decisions.'
  ❌ Invalid title line: 'use data to make informed decisions.'
  ➜ Parsing at 5157: 'C208 - Change Management and Innovation - This course provides an overview of change theories and innovation practices. This course will'

🔍 parse_program: starting at line 5157: 'C208 - Change Management and Innovation - This course provides an overview of change theories and innovation practices. This course will'
  ➜ Title candidate: 'C208 - Change Management and Innovation - This course provides an overview of change theories and innovation practices. This course will'
  ❌ Invalid title line: 'C208 - Change Management and Innovation - This course provides an overview of change theories and innovation practices. This course will'
  ➜ Parsing at 5158: 'emphasize the role of leadership in influencing and managing change in response to challenges and opportunities facing organizations.'

🔍 parse_program: starting at line 5158: 'emphasize the role of leadership in influencing and managing change in response to challenges and opportunities facing organizations.'
  ➜ Title candidate: 'emphasize the role of leadership in influencing and managing change in response to challenges and opportunities facing organizations.'
  ❌ Invalid title line: 'emphasize the role of leadership in influencing and managing change in response to challenges and opportunities facing organizations.'
  ➜ Parsing at 5159: 'C209 - Strategic Management - This course focuses on models and practices of strategic management including developing and implementing both'

🔍 parse_program: starting at line 5159: 'C209 - Strategic Management - This course focuses on models and practices of strategic management including developing and implementing both'
  ➜ Title candidate: 'C209 - Strategic Management - This course focuses on models and practices of strategic management including developing and implementing both'
  ❌ Invalid title line: 'C209 - Strategic Management - This course focuses on models and practices of strategic management including developing and implementing both'
  ➜ Parsing at 5160: 'short and long term strategy and evaluating performance to achieve strategic goals and objectives.'

🔍 parse_program: starting at line 5160: 'short and long term strategy and evaluating performance to achieve strategic goals and objectives.'
  ➜ Title candidate: 'short and long term strategy and evaluating performance to achieve strategic goals and objectives.'
  ❌ Invalid title line: 'short and long term strategy and evaluating performance to achieve strategic goals and objectives.'
  ➜ Parsing at 5161: 'C210 - Management and Leadership Capstone - This course is the culminating assessment of the MSML curriculum and requires you to synthesize'

🔍 parse_program: starting at line 5161: 'C210 - Management and Leadership Capstone - This course is the culminating assessment of the MSML curriculum and requires you to synthesize'
  ➜ Title candidate: 'C210 - Management and Leadership Capstone - This course is the culminating assessment of the MSML curriculum and requires you to synthesize'
  ❌ Invalid title line: 'C210 - Management and Leadership Capstone - This course is the culminating assessment of the MSML curriculum and requires you to synthesize'
  ➜ Parsing at 5162: 'core knowledge from across the degree program and apply research skills in order to improve an organization. You will be asked to work with a real-'

🔍 parse_program: starting at line 5162: 'core knowledge from across the degree program and apply research skills in order to improve an organization. You will be asked to work with a real-'
  ➜ Title candidate: 'core knowledge from across the degree program and apply research skills in order to improve an organization. You will be asked to work with a real-'
  ❌ Invalid title line: 'core knowledge from across the degree program and apply research skills in order to improve an organization. You will be asked to work with a real-'
  ➜ Parsing at 5163: 'world organization to address a management or leadership challenge.'

🔍 parse_program: starting at line 5163: 'world organization to address a management or leadership challenge.'
  ➜ Title candidate: 'world organization to address a management or leadership challenge.'
  ❌ Invalid title line: 'world organization to address a management or leadership challenge.'
  ➜ Parsing at 5164: 'C211 - Global Economics for Managers - This course examines how economic tools, techniques, and indicators can be used for solving'

🔍 parse_program: starting at line 5164: 'C211 - Global Economics for Managers - This course examines how economic tools, techniques, and indicators can be used for solving'
  ➜ Title candidate: 'C211 - Global Economics for Managers - This course examines how economic tools, techniques, and indicators can be used for solving'
  ❌ Invalid title line: 'C211 - Global Economics for Managers - This course examines how economic tools, techniques, and indicators can be used for solving'
  ➜ Parsing at 5165: 'organizational problems related to competitiveness, productivity, and growth. You will explore the management implications of a variety of economic'

🔍 parse_program: starting at line 5165: 'organizational problems related to competitiveness, productivity, and growth. You will explore the management implications of a variety of economic'
  ➜ Title candidate: 'organizational problems related to competitiveness, productivity, and growth. You will explore the management implications of a variety of economic'
  ❌ Invalid title line: 'organizational problems related to competitiveness, productivity, and growth. You will explore the management implications of a variety of economic'
  ➜ Parsing at 5166: 'concepts and effective strategies to make decisions within a global context.'

🔍 parse_program: starting at line 5166: 'concepts and effective strategies to make decisions within a global context.'
  ➜ Title candidate: 'concepts and effective strategies to make decisions within a global context.'
  ❌ Invalid title line: 'concepts and effective strategies to make decisions within a global context.'
  ➜ Parsing at 5167: 'C212 - Marketing - This course will focus on the marketing function and its impact on the overall success of an organization. Topics include consumer'

🔍 parse_program: starting at line 5167: 'C212 - Marketing - This course will focus on the marketing function and its impact on the overall success of an organization. Topics include consumer'
  ➜ Title candidate: 'C212 - Marketing - This course will focus on the marketing function and its impact on the overall success of an organization. Topics include consumer'
  ❌ Invalid title line: 'C212 - Marketing - This course will focus on the marketing function and its impact on the overall success of an organization. Topics include consumer'
  ➜ Parsing at 5168: 'behavior, marketing theories and strategies, product positioning, the competitive environment, and effectiveness of the marketing function. A key'

🔍 parse_program: starting at line 5168: 'behavior, marketing theories and strategies, product positioning, the competitive environment, and effectiveness of the marketing function. A key'
  ➜ Title candidate: 'behavior, marketing theories and strategies, product positioning, the competitive environment, and effectiveness of the marketing function. A key'
  ❌ Invalid title line: 'behavior, marketing theories and strategies, product positioning, the competitive environment, and effectiveness of the marketing function. A key'
  ➜ Parsing at 5169: 'element of the course will include the relationship of the “marketing mix” to strategic planning.'

🔍 parse_program: starting at line 5169: 'element of the course will include the relationship of the “marketing mix” to strategic planning.'
  ➜ Title candidate: 'element of the course will include the relationship of the “marketing mix” to strategic planning.'
  ❌ Invalid title line: 'element of the course will include the relationship of the “marketing mix” to strategic planning.'
  ➜ Parsing at 5170: 'C213 - Accounting for Decision Makers - This course provides you with the accounting knowledge and skills to assess and manage a business.'

🔍 parse_program: starting at line 5170: 'C213 - Accounting for Decision Makers - This course provides you with the accounting knowledge and skills to assess and manage a business.'
  ➜ Title candidate: 'C213 - Accounting for Decision Makers - This course provides you with the accounting knowledge and skills to assess and manage a business.'
  ❌ Invalid title line: 'C213 - Accounting for Decision Makers - This course provides you with the accounting knowledge and skills to assess and manage a business.'
  ➜ Parsing at 5171: 'Topics include the accounting cycle, financial statements, taxes, and budgeting. You will improve your ability to understand reports and use'

🔍 parse_program: starting at line 5171: 'Topics include the accounting cycle, financial statements, taxes, and budgeting. You will improve your ability to understand reports and use'
  ➜ Title candidate: 'Topics include the accounting cycle, financial statements, taxes, and budgeting. You will improve your ability to understand reports and use'
  ❌ Invalid title line: 'Topics include the accounting cycle, financial statements, taxes, and budgeting. You will improve your ability to understand reports and use'
  ➜ Parsing at 5172: 'accounting information to plan and make sound business decisions.'

🔍 parse_program: starting at line 5172: 'accounting information to plan and make sound business decisions.'
  ➜ Title candidate: 'accounting information to plan and make sound business decisions.'
  ❌ Invalid title line: 'accounting information to plan and make sound business decisions.'
  ➜ Parsing at 5173: 'C214 - Financial Management - This course covers practical approaches to analysis and decision making in the administration of corporate funds,'

🔍 parse_program: starting at line 5173: 'C214 - Financial Management - This course covers practical approaches to analysis and decision making in the administration of corporate funds,'
  ➜ Title candidate: 'C214 - Financial Management - This course covers practical approaches to analysis and decision making in the administration of corporate funds,'
  ❌ Invalid title line: 'C214 - Financial Management - This course covers practical approaches to analysis and decision making in the administration of corporate funds,'
  ➜ Parsing at 5174: 'including capital budgeting, working capital management, and cost of capital. Topics include financial planning, management of working capital,'

🔍 parse_program: starting at line 5174: 'including capital budgeting, working capital management, and cost of capital. Topics include financial planning, management of working capital,'
  ➜ Title candidate: 'including capital budgeting, working capital management, and cost of capital. Topics include financial planning, management of working capital,'
  ❌ Invalid title line: 'including capital budgeting, working capital management, and cost of capital. Topics include financial planning, management of working capital,'
  ➜ Parsing at 5175: 'analysis of investment opportunities, sources of long-term financing, government regulations, and global influences. You will improve your ability to'

🔍 parse_program: starting at line 5175: 'analysis of investment opportunities, sources of long-term financing, government regulations, and global influences. You will improve your ability to'
  ➜ Title candidate: 'analysis of investment opportunities, sources of long-term financing, government regulations, and global influences. You will improve your ability to'
  ❌ Invalid title line: 'analysis of investment opportunities, sources of long-term financing, government regulations, and global influences. You will improve your ability to'
  ➜ Parsing at 5176: 'interpret financial statements and manage corporate finances.'

🔍 parse_program: starting at line 5176: 'interpret financial statements and manage corporate finances.'
  ➜ Title candidate: 'interpret financial statements and manage corporate finances.'
  ❌ Invalid title line: 'interpret financial statements and manage corporate finances.'
  ➜ Parsing at 5177: '© Western Governors University 7/19/17 150'

🔍 parse_program: starting at line 5177: '© Western Governors University 7/19/17 150'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'C215 - Operations Management - This course focuses on the strategic importance of operations management to overall performance. This course'
  ➜ Skipping stray line: 'also emphasizes principles of supply chain management relevant to a variety of business operations ranging from manufacturing goods to retail'
  ➜ Skipping stray line: 'services. You will examine the various planning, control, and decision-making tools and techniques of the operations function.'
  ➜ Skipping stray line: 'C216 - MBA Capstone - This course is the culminating assessment of the MBA curriculum and covers all previous assessment topics. You will work'
  ➜ Skipping stray line: 'with a real-world organization to develop a solution to a business problem. In addition, you will work in teams of three or four students to simulate'
  ➜ Skipping stray line: 'running a business. One unique aspect of the simulation is that there are scheduled dates each week for simulation decisions. Since all teams are'
  ➜ Skipping stray line: 'required to meet the deadlines and work at the same pace this aspect of the assessment cannot be accelerated.'
  ➜ Skipping stray line: 'C217 - Human Growth and Development Across the Lifespan - This course introduces students to human development across the lifespan. This'
  ➜ Skipping stray line: 'will include an introductory survey of cognitive, psychological, and physical growth. Students will gain an understanding in regards to the emergence of'
  ➜ Skipping stray line: 'personality, identity, gender and sexuality, social relationships, emotion, language, and moral development through life. This will include milestones'
  ➜ Skipping stray line: 'such as education, achievement, work, dying, and death.'
  ➜ Skipping stray line: 'C218 - MBA, Information Technology Management Capstone - This course is the culminating assessment of the MBA, IT Management curriculum'
  ➜ Skipping stray line: 'and focuses on strategic management while allowing for the synthesis of previous assessment topics. You will work in teams of three or four students'
  ➜ Skipping stray line: 'to simulate running a business. One unique aspect of the simulation is that there are scheduled dates each week for simulation decisions. Since all'
  ➜ Skipping stray line: 'teams are required to meet the deadlines and work at the same pace this aspect of the assessment cannot be accelerated.'
  ➜ Skipping stray line: 'C219 - MBA, Healthcare Management Capstone - This course is the culminating assessment of the MBA, Healthcare Management curriculum and'
  ➜ Skipping stray line: 'focuses on strategic management while allowing for the synthesis of previous assessment topics. You will work in teams of three or four students to'
  ➜ Skipping stray line: 'simulate running a business. One unique aspect of the simulation is that there are scheduled dates each week for simulation decisions. Since all'
  ➜ Skipping stray line: 'teams are required to meet the deadlines and work at the same pace this aspect of the assessment cannot be accelerated.'
  ➜ Skipping stray line: 'C224 - Research Foundations - The Research Foundations course focuses on the essential concepts in educational research, including quantitative,'
  ➜ Skipping stray line: 'qualitative, mixed, and action research; measurement and assessment; and strategies for obtaining warranted research results.'
  ➜ Skipping stray line: 'C225 - Research Questions and Literature Review - The Research Questions and Literature Reviews course focuses on how to conduct a thorough'
  ➜ Skipping stray line: 'literature review that addresses and identifies important educational research topics, problems, and questions, and helps determine the appropriate'
  ➜ Skipping stray line: 'kind of research and data needed to answer one's research questions and hypotheses.'
  ➜ Skipping stray line: 'C226 - Research Design and Analysis - The Research Design and Analysis course focuses on applying strategies for effective design of empirical'
  ➜ Skipping stray line: 'research studies. Particular emphasis is placed on selecting or constructing the design that will provide the most valid results, analyzing the kind of'
  ➜ Skipping stray line: 'data that would be obtained, and making defensible interpretations and drawing appropriate conclusions based on the data.'
  ➜ Skipping stray line: 'C227 - Research Proposals - Research Proposals focuses on planning and writing a well-organized and complete research proposal. The'
  ➜ Skipping stray line: 'relationship of the sections in a research proposal to the sections in a research report will be highlighted.'
  ➜ Skipping stray line: 'C228 - Community Health and Population-Focused Nursing - Community Health and Population-Focused Nursing will assist students in becoming'
  ➜ Skipping stray line: 'familiar with foundational theories and models of health promotion applicable to the community health nursing environment. Students will develop an'
  ➜ Skipping stray line: 'understanding of how policies and resources influence the health of populations. Focus is concentrated on learning the importance of a community'
  ➜ Skipping stray line: 'assessment to improve or resolve a community health issue. Students will be introduced to the relationships between cultures and communities and'
  ➜ Skipping stray line: 'the steps necessary to create community collaboration with the goal to improve or resolve community health issues in a variety of settings. Students'
  ➜ Skipping stray line: 'will gain a greater understanding of health systems in the United States, global health issues, quality-of-life issues, cultural influences, community'
  ➜ Skipping stray line: 'collaboration, and emergency preparedness.'
  ➜ Skipping stray line: 'C229 - Community Health and Population-Focused Nursing Field Experience - Community Health and Population-Focused Nursing, Field'
  ➜ Skipping stray line: 'Experience will introduce and familiarize students with clinical aspects of health promotion and disease prevention in the community health nursing'
  ➜ Skipping stray line: 'environment. Students will practice skills based on clinical priorities, methodology, and resources that positively influence the health of populations by'
  ➜ Skipping stray line: 'assessing a primary prevention topic in the community. Students will demonstrate critical thinking skills by applying principals of community health'
  ➜ Skipping stray line: 'nursing in a variety of community settings aligning with the selected primary prevention topic. As part of this process, students will be required to'
  ➜ Skipping stray line: 'complete a minimum of 90 practice hours in order to meet the requirements of the course. Practice hours include direct and indirect hours of activity'
  ➜ Skipping stray line: 'engaged with the community or population chosen as your focus. Students will describe the completed Field Experience in a written assessment that'
  ➜ Skipping stray line: 'will also outline recommendations to improve the community health concern using the nursing process. Students will develop and recommend health'
  ➜ Skipping stray line: 'promotion and disease prevention strategies for population groups.'
  ➜ Skipping stray line: 'C230 - Community Health and Population-Focused Nursing Clinical - This course will assist students to become familiar with clinical aspects of'
  ➜ Skipping stray line: 'health promotion and disease prevention, applicable to the community health nursing environment. Students will practice skills based on clinical'
  ➜ Skipping stray line: 'priorities, methodology, and resources that positively influence the health of populations. Students will demonstrate critical thinking skills by applying'
  ➜ Skipping stray line: 'principals of community health nursing in a varity of settings. Students will design, implement and evaluate a project in community health. Students'
  ➜ Skipping stray line: 'will develop health promotion and disease prevention strategies for population groups.'
  ➜ Skipping stray line: 'C232 - Introduction to Human Resource Management - The course provides an introduction to the management of human resources, the function'
  ➜ Skipping stray line: 'within an organization that focuses on recruitment, management, and direction for the people who work in the organization. Students will be introduced'
  ➜ Skipping stray line: 'to HR topics such as strategic workforce planning and employment; compensation and benefits; training and development; employee and labor'
  ➜ Skipping stray line: 'relations; occupational health, safety and security.'
  ➜ Skipping stray line: 'C233 - Employment Law - This course reviews the legal and regulatory framework surrounding employment, including recruitment, termination, and'
  ➜ Skipping stray line: 'discrimination law. The course topics include employment-at-will, EEO, ADA, OSHA, and other laws affecting the workplace. Students will learn to'
  ➜ Skipping stray line: 'analyze current trends and issues in employment law and apply this knowledge to effectively manage risk in the employment relationship.'
  ➜ Skipping stray line: 'C234 - Workforce Planning: Recruitment and Selection - This course focuses on building a highly skilled workforce by using effective strategies'
  ➜ Skipping stray line: 'and tactics for recruiting, selecting, hiring, and retaining employees.'
  ➜ Skipping stray line: 'C235 - Training and Development - This course focuses on the development of human capital (i.e., growing talent) by applying effective learning'
  ➜ Skipping stray line: 'theories and practices for training and developing employees. Throughout this course, you will develop essential skills for improving and empowering'
  ➜ Skipping stray line: 'organizations through high-caliber training and development processes.'
  ➜ Skipping stray line: 'C236 - Compensation and Benefits - This course develops competence in understanding, designing, and implementing compensation and benefit'
  ➜ Skipping stray line: 'systems in an organization. It uses a Total Rewards perspective to integrate the tangible rewards (e.g., salary, bonuses, etc.) with employee benefits'
  ➜ Skipping stray line: '(e.g., health insurance, retirement plan, etc.) and intangible rewards (e.g., location, work environment, etc.) so that students can use all forms of'
  ➜ Skipping stray line: 'rewards fairly and effectively to enable job satisfaction and organizational performance.'
  ➜ Skipping stray line: 'C237 - Taxation I - This course focuses on the taxation of individuals. It provides an overview of income taxes of both individuals and business'
  ➜ Skipping stray line: 'entities in order to enhance awareness of the complexities and sources of tax law and to measure and analyze the effect of various tax options. The'
  ➜ Skipping stray line: 'course will introduce taxation of sole proprietorships. Students will learn principles of individual taxation and how to develop effective personal tax'
  ➜ Skipping stray line: 'strategies for individuals. Students will also be introduced to tax research of complex taxation issues.'
  ➜ Skipping stray line: 'C238 - Taxation II - Welcome to Taxation II! This course focuses on the taxation of business entities, including corporations, partnerships, and LLCs.'
  ➜ Skipping stray line: 'Important taxation concepts and skills discussed in this course include tax reporting, planning, and research skills applicable to a variety of business'
  ➜ Skipping stray line: 'contexts. The activities you will complete for this course emphasize the role of taxes in business decisions and business strategy.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 151'
  ➜ Skipping stray line: 'C239 - Advanced Tax Concepts - This course is designed to enhance your awareness of the complexities and sources of tax law and to measure'
  ➜ Skipping stray line: 'and analyze the effect of various tax options. This course provides an overview of income taxes on individuals, corporations, associations,'
  ➜ Skipping stray line: 'reorganizations, and corporate distributions. This course emphasizes the role of taxes in business decisions and business strategy.'
  ➜ Skipping stray line: 'C240 - Auditing - This course will walk you through the auditing process, including planning, conducting, documenting, and reporting an audit. You'
  ➜ Skipping stray line: 'will also learn the roles and professional standards of public accountants. This course is designed to help you study for the CPA exam and develop'
  ➜ Skipping stray line: 'essential skills for real-world experience.'
  ➜ Skipping stray line: 'C241 - Business Law for Accountants - Welcome to Business Law for Accountants! While you may have had exposure to other law or even'
  ➜ Skipping stray line: 'business law courses, this course focuses on those areas of the law that traditionally impact accounting-related and business transaction-related'
  ➜ Skipping stray line: 'decision functions. The course represents the legal and accounting concepts governing the conduct of business in the United States. It will cover laws'
  ➜ Skipping stray line: 'and regulations relevant to business operations.'
  ➜ Skipping stray line: 'C242 - Accounting Information Systems - Welcome to Accounting Information Systems! This course introduces a variety of accounting information'
  ➜ Skipping stray line: 'systems and internal controls necessary for effective systems. Students will learn how to document and evaluate the process flows of accounting'
  ➜ Skipping stray line: 'information systems, evaluate internal controls within accounting systems, and use QuickBooks Online.'
  ➜ Skipping stray line: 'C243 - Advanced Financial Accounting - This course builds upon your accounting knowledge by focusing on advanced financial accounting topics'
  ➜ Skipping stray line: 'such as consolidations, partnership accounting, and international accounting.'
  ➜ Skipping stray line: 'C244 - Advanced Auditing - This course introduces the basic concepts, standards, procedures, and practices of auditing, the changing role of the'
  ➜ Skipping stray line: 'independent auditor, professional conduct and ethics, auditor's reporting responsibilities, risk assessment, internal control, evidential matter, and'
  ➜ Skipping stray line: 'management fraud. This course is designed to help you examine how the role of internal and external auditing can best be performed through'
  ➜ Skipping stray line: 'studying cases of audit activities.'
  ➜ Skipping stray line: 'C245 - Accounting Research - The Accounting Research course is an upper level course that builds research application skills through identification'
  ➜ Skipping stray line: 'of accounting issues and researching concepts related to public accounting firms, businesses, and regulating authorities. This course helps students'
  ➜ Skipping stray line: 'develop analytical and research capabilities and apply the technical knowledge of accounting theory and principles to solve complex accounting'
  ➜ Skipping stray line: 'problems.'
  ➜ Skipping stray line: 'C246 - Fundamentals of Interconnecting Network Devices - This course prepares students for the Cisco CCENT certification exam,'
  ➜ Skipping stray line: 'Interconnecting Cisco Networking Devices Part I (ICND1). This is also the first of two exams that lead to Cisco Certified Networking Associate (CCNA)'
  ➜ Skipping stray line: 'certification.'
  ➜ Skipping stray line: 'C247 - Interconnecting Network Devices - This course prepares students for the second Cisco CCNA certification exam, Interconnecting Cisco'
  ➜ Skipping stray line: 'Networking Devices Part 2 (ICND2).'
  ➜ Skipping stray line: 'C248 - Intermediate Accounting I - This is the first of two courses encompassing more advanced accounting concepts. It will offer a more'
  ➜ Skipping stray line: 'comprehensive treatment of concepts learned in previous accounting courses. It will cover accounting standards, the conceptual accounting'
  ➜ Skipping stray line: 'framework, preparation of selected financial statements, time value of money, receivables, fixed assets, intangible assets, and both long- and short-'
  ➜ Skipping stray line: 'term liabilities.'
  ➜ Skipping stray line: 'C249 - Intermediate Accounting II - This is the second of two intermediate accounting courses. This course provides a more comprehensive'
  ➜ Skipping stray line: 'treatment of concepts learned in Fundamentals of Accounting. This course will cover stockholders’ equity, dilutive securities, investments, revenue'
  ➜ Skipping stray line: 'recognition, accounting for income taxes, pensions and post-retirement benefits, leases, financial disclosures, and the preparation of the statement of'
  ➜ Skipping stray line: 'cash flows.'
  ➜ Skipping stray line: 'C250 - Cost and Managerial Accounting - The Cost and Managerial Accounting course will cover managerial accounting as part of the information'
  ➜ Skipping stray line: 'managers’ use for planning and controlling operations. It prepares students to consider cost behavior and employ various cost methods. Job-order'
  ➜ Skipping stray line: 'costing, process costing, and activity-based costing methods will be covered, along with cost-benefit analysis, standard costing, variance analysis, and'
  ➜ Skipping stray line: 'cost reporting.'
  ➜ Skipping stray line: 'C251 - Accounting Capstone - This course is the culminating assessment of the accounting curriculum and requires students to synthesize core'
  ➜ Skipping stray line: 'knowledge from across the degree program and apply accounting skills to benefit an organization. Students will be asked to work with case studies to'
  ➜ Skipping stray line: 'address an accounting challenge.'
  ➜ Skipping stray line: 'C252 - Governmental and Nonprofit Accounting - This course is designed to be an introduction to the theory and practice of accounting in'
  ➜ Skipping stray line: 'governmental and nonprofit entities. The course includes a thorough examination of the process of analyzing and recording transactions by'
  ➜ Skipping stray line: 'governmental and nonprofit organization and their preparation of financial statements in accordance with Financial Accounting Board (FASB) and'
  ➜ Skipping stray line: 'Governmental Accounting Standards Board (GASB) standards. This course includes accounting for governmental and nonprofit entities (local, state,'
  ➜ Skipping stray line: 'and federal) and voluntary organizations.'
  ➜ Skipping stray line: 'C253 - Advanced Managerial Accounting - This course introduces the complexity and functionality of managerial accounting systems within an'
  ➜ Skipping stray line: 'organization. It covers the topics of product costing (including Activity Based Costing), decision making (including capital budgeting), profitability'
  ➜ Skipping stray line: 'analysis, budgeting, performance evaluation, and reporting related to managerial decision-making. This course provides the opportunity for a detailed'
  ➜ Skipping stray line: 'study of how managerial accounting information supports the operational and strategic needs of an organization and how managers use accounting'
  ➜ Skipping stray line: 'information for decision-making, planning and controlling activities within organizations.'
  ➜ Skipping stray line: 'C254 - Fraud and Forensic Accounting - This course provides a framework for detecting and preventing financial statement fraud. Topics include'
  ➜ Skipping stray line: 'the profession’s focus and legislation of fraud, revenue- and inventory-related fraud, and liability, asset, and inadequate disclosure fraud.'
  ➜ Skipping stray line: 'C255 - Introduction to Geography - This course will discuss geographic concepts, places and regions, physical and human systems and the'
  ➜ Skipping stray line: 'environment.'
  ➜ Skipping stray line: 'C263 - The Ocean Systems - In this course, learners investigate the complex ocean system by looking at the way its components—atmosphere,'
  ➜ Skipping stray line: 'biosphere, geosphere, hydrosphere—interact. Specific topics include: origins of Earth’s oceans and the early history of life; physical characteristics'
  ➜ Skipping stray line: 'and geologic processes of the ocean floor; chemistry of the water molecule; energy flow between air and water, and how ocean surface currents and'
  ➜ Skipping stray line: 'deep circulation patterns affect weather and climate; marine biology and why ecosystems are an integral part of the ocean system; the effects of'
  ➜ Skipping stray line: 'human activity; and the role of professional educators in teaching about ocean systems.'
  ➜ Skipping stray line: 'C264 - Climate Change - This course explores the science of climate change. Students will learn how the climate system works; what factors cause'
  ➜ Skipping stray line: 'climate to change across different time scales and how those factors interact; how climate has changed in the past; how scientists use models,'
  ➜ Skipping stray line: 'observations and theory to make predictions about future climate; and the possible consequences of climate change for our planet. The course'
  ➜ Skipping stray line: 'explores evidence for changes in ocean temperature, sea level and acidity due to global warming. Students will learn how climate change today is'
  ➜ Skipping stray line: 'different from past climate cycles and how satellites and other technologies are revealing the global signals of a changing climate. Finally, the course'
  ➜ Skipping stray line: 'looks at the connection between human activity and the current warming trend and considers some of the potential social, economic and'
  ➜ Skipping stray line: 'environmental consequences of climate change.'
  ➜ Skipping stray line: 'C266 - The Ocean Systems - In this course, learners investigate the complex ocean system by looking at the way its components—atmosphere,'
  ➜ Skipping stray line: 'biosphere, geosphere, hydrosphere—interact. Specific topics include: origins of Earth’s oceans and the early history of life; physical characteristics'
  ➜ Skipping stray line: 'and geologic processes of the ocean floor; chemistry of the water molecule; energy flow between air and water, and how ocean surface currents and'
  ➜ Skipping stray line: 'deep circulation patterns affect weather and climate; marine biology and why ecosystems are an integral part of the ocean system; the effects of'
  ➜ Skipping stray line: 'human activity; and the role of professional educators in teaching about ocean systems.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 152'
  ➜ Skipping stray line: 'C267 - Climate Change - This course explores the science of climate change. Students will learn how the climate system works; what factors cause'
  ➜ Skipping stray line: 'climate to change across different time scales and how those factors interact; how climate has changed in the past; how scientists use models,'
  ➜ Skipping stray line: 'observations and theory to make predictions about future climate; and the possible consequences of climate change for our planet. The course'
  ➜ Skipping stray line: 'explores evidence for changes in ocean temperature, sea level and acidity due to global warming. Students will learn how climate change today is'
  ➜ Skipping stray line: 'different from past climate cycles and how satellites and other technologies are revealing the global signals of a changing climate. Finally, the course'
  ➜ Skipping stray line: 'looks at the connection between human activity and the current warming trend and considers some of the potential social, economic and'
  ➜ Skipping stray line: 'environmental consequences of climate change.'
  ➜ Skipping stray line: 'C268 - Spreadsheets - The Spreadsheets course will help students become proficient in using spreadsheets to analyze business problems. Students'
  ➜ Skipping stray line: 'will demonstrate competency in spreadsheet development and analysis for business/accounting applications (e.g., using essential spreadsheet'
  ➜ Skipping stray line: 'functions, formulas, charts, etc.)'
  ➜ Skipping stray line: 'C269 - Children's Literature - This course is an introduction to and exploration of children’s literature. Students will consider and analyze children’s'
  ➜ Skipping stray line: 'literature as a lens through which to view the world. Students will experience multiple genres, historical perspectives, cultural representations and'
  ➜ Skipping stray line: 'current applications to the field of children’s literature.'
  ➜ Skipping stray line: 'C272 - Foundational Perspectives of Education - This course provides an introduction to the historical, legal, and philosophical foundations of'
  ➜ Skipping stray line: 'education. Current educational trends, reform movements, major federal and state laws, legal and ethical responsibilities, and an overview of'
  ➜ Skipping stray line: 'standards-based curriculum are the focus of the course. The course of study presents a discussion of changes and challenges in contemporary'
  ➜ Skipping stray line: 'education. It covers the diversity found in American schools, introduces emerging educational technology trends, and provides an overview of'
  ➜ Skipping stray line: 'contemporary topics in education.'
  ➜ Skipping stray line: 'C273 - Introduction to Sociology - This course teaches students to think like sociologists, in other words, to see and understand the hidden rules, or'
  ➜ Skipping stray line: 'norms, by which people live, and how they free or restrain behavior. Students will learn about socializing institutions, such as schools and families, as'
  ➜ Skipping stray line: 'well as workplace organizations and governments. Participants will also learn how people deviate from the rules by challenging norms, and how such'
  ➜ Skipping stray line: 'behavior may result in social change, either on a large scale or within small groups.'
  ➜ Skipping stray line: 'C277 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ➜ Skipping stray line: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ➜ Skipping stray line: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ➜ Skipping stray line: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C278 - College Algebra - This course provides further application and analysis of algebraic concepts and functions through mathematical modeling of'
  ➜ Skipping stray line: 'real-world situations. Topics include: real numbers, algebraic expressions, equations and inequalities, graphs and functions, polynomial and rational'
  ➜ Skipping stray line: 'functions, exponential and logarithmic functions, and systems of linear equations.'
  ➜ Skipping stray line: 'C280 - Probability and Statistics I - Probability and Statistics I covers the knowledge and skills necessary to apply basic probability, descriptive'
  ➜ Skipping stray line: 'statistics, and statistical reasoning, and to use appropriate technology to model and solve real-life problems. It provides an introduction to the science'
  ➜ Skipping stray line: 'of collecting, processing, analyzing, and interpreting data. Topics include creating and interpreting numerical summaries and visual displays of data;'
  ➜ Skipping stray line: 'regression lines and correlation; evaluating sampling methods and their effect on possible conclusions; designing observational studies, controlled'
  ➜ Skipping stray line: 'experiments, and surveys; and determining probabilities using simulations, diagrams, and probability rules. College Algebra is a prerequisite for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'C281 - College Geometry - College Geometry covers the knowledge and skills necessary to apply geometry to model and solve real-life problems, to'
  ➜ Skipping stray line: 'do formal axiomatic proofs in geometry, and to use dynamic technology to explore geometry. Topics include axiomatic systems and analytic proof;'
  ➜ Skipping stray line: 'non-Euclidean geometries; construction, analytic, and synthetic methods for investigating and proving properties and relationships of two- and three-'
  ➜ Skipping stray line: 'dimensional objects; geometric transformations, tessellations, and using inductive reasoning; concrete models; and dynamic technology to conduct'
  ➜ Skipping stray line: 'geometric investigations. College Algebra and Pre-Calculus are prerequisites for this course.'
  ➜ Skipping stray line: 'C282 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to use'
  ➜ Skipping stray line: 'differential calculus of one variable and appropriate technology to solve basic problems. Topics include graphing functions and finding their domains'
  ➜ Skipping stray line: 'and ranges; limits, continuity, differentiability, visual, analytical, and conceptual approaches to the definition of the derivative; the power, chain, and'
  ➜ Skipping stray line: 'sum rules applied to polynomial and exponential functions, position and velocity; and L'Hopital's Rule. Candidates should have completed a course in'
  ➜ Skipping stray line: 'Pre-Calculus before engaging in this course.'
  ➜ Skipping stray line: 'C283 - Calculus II - Calculus II is the study of the accumulation of change in relation to the area under a curve. It covers the knowledge and skills'
  ➜ Skipping stray line: 'necessary to apply integral calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include'
  ➜ Skipping stray line: 'antiderivatives; indefinite integrals; the substitution rule; Riemann sums; the Fundamental Theorem of Calculus; definite integrals; acceleration,'
  ➜ Skipping stray line: 'velocity, position, and initial values; integration by parts; integration by trigonometric substitution; integration by partial fractions; numerical integration;'
  ➜ Skipping stray line: 'improper integration; area between curves; volumes and surface areas of revolution; arc length; work; center of mass; separable differential equations;'
  ➜ Skipping stray line: 'direction fields; growth and decay problems; and sequences. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C284 - Mathematics Learning and Teaching - Mathematics Learning and Teaching will help you develop the knowledge and skills necessary to'
  ➜ Skipping stray line: 'become a prospective and practicing educator. You will be able to use a variety of instructional strategies to effectively facilitate the learning of'
  ➜ Skipping stray line: 'mathematics. This course focuses on selecting appropriate resources, using multiple strategies, and instructional planning, with methods based on'
  ➜ Skipping stray line: 'research and problem solving. A deep understanding of the knowledge, skills, and disposition of mathematics pedagogy is necessary to become an'
  ➜ Skipping stray line: 'effective secondary mathematics educator. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C285 - Mathematics History and Technology - Mathematics History and Technology introduces a variety of technological tools for doing'
  ➜ Skipping stray line: 'mathematics, and you will develop a broad understanding of the historical development of mathematics. You will come to understand that'
  ➜ Skipping stray line: 'mathematics is a very human subject that comes from the macro-level sweep of cultural and societal change, as well as the micro-level actions of'
  ➜ Skipping stray line: 'individuals with personal, professional, and philosophical motivations. Most importantly, you will learn to evaluate and apply technological tools and'
  ➜ Skipping stray line: 'historical information to create an enriching student-centered mathematical learning environment. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C288 - General Chemistry I - Chemistry is the study of matter. Everything you see and many of the things you don’t see are made up of atoms. By'
  ➜ Skipping stray line: 'understanding these atoms and their interactions, chemists have been able to cure disease, travel to the moon, and feed a growing world. By'
  ➜ Skipping stray line: 'understanding chemistry, you will find your own world expanded. You will find boiling water interesting and the back of the shampoo bottle fascinating.'
  ➜ Skipping stray line: 'The National Science Teachers Association (NSTA) has published principles and standards that address important chemistry topics that should be'
  ➜ Skipping stray line: 'covered through the K-12 curriculum. Many states have followed the NSTA’s lead and are increasingly requiring that these concepts be taught to the'
  ➜ Skipping stray line: 'students throughout the course of their science education. A firm grasp of the concepts covered in this course will allow you to confidently teach this'
  ➜ Skipping stray line: 'material when you enter the classroom.'
  ➜ Skipping stray line: 'C289 - General Chemistry II - Chemistry is the study of matter. Everything you see and many of the things you don’t see are made up of atoms. By'
  ➜ Skipping stray line: 'understanding these atoms and their interactions. chemists have been able to cure disease, travel to the moon, and feed a growing world. By'
  ➜ Skipping stray line: 'understanding chemistry, you will find your own world expanded. You will find boiling water interesting and the back of the shampoo bottle'
  ➜ Skipping stray line: 'fascinating.The National Science Teachers Association (NSTA) has published principles and standards that address important chemistry topics that'
  ➜ Skipping stray line: 'should be covered through the K-12 curriculum. Many states have followed the NSTA’s lead and are increasingly requiring that these concepts be'
  ➜ Skipping stray line: 'taught to the students throughout the course of their science education. A firm grasp of the concepts covered in this course will allow you to'
  ➜ Skipping stray line: 'confidently teach this material when you enter the classroom.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 153'
  ➜ Skipping stray line: 'C299 - Designing Customized Security - The course provides an introduction to the core security concepts and skills needed for the installation,'
  ➜ Skipping stray line: 'monitoring, and troubleshooting of network security features to maintain the integrity, confidentiality, and availability of data and devices. Successfully'
  ➜ Skipping stray line: 'completing this course will certify these skills. You will also develop competency in the technologies that Cisco uses in its security infrastructure.'
  ➜ Skipping stray line: 'Recommended Experience: You should possess a current Cisco Certified Network Administrator in Routing and Switching certification. This course'
  ➜ Skipping stray line: 'prepares students for the following certification exam: Cisco CCNA Security.'
  ➜ Skipping stray line: 'C301 - Translational Research for Practice and Populations - This graduate-level course builds on your baccalaureate-level statistical knowledge'
  ➜ Skipping stray line: 'to help you develop skills in analyzing, interpreting, and translating research into nursing practice using principles of patient-centered care and'
  ➜ Skipping stray line: 'applications to individuals and populations'
  ➜ Skipping stray line: 'C304 - Professional Roles and Values - This course explores the unique role nurses play in healthcare, beginning with the history and evolution of'
  ➜ Skipping stray line: 'the nursing profession. The responsibilities and accountability of professional nurses are covered, including cultural competency, advocacy for patient'
  ➜ Skipping stray line: 'rights, and the legal and ethical issues related to supervision and delegation. Professional conduct, leadership, the public image of nursing, the work'
  ➜ Skipping stray line: 'environment, and issues of social justice are also addressed.'
  ➜ Skipping stray line: 'C306 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ➜ Skipping stray line: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ➜ Skipping stray line: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ➜ Skipping stray line: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C307 - Supervised Demonstration Teaching in Elementary Education, Observations 1 and 2 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C308 - Supervised Demonstration Teaching in Elementary Education, Observation 3 and Midterm - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C309 - Supervised Demonstration Teaching in Elementary Education, Observations 4 and 5 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C310 - Supervised Demonstration Teaching in Elementary Education, Observation 6 and Final - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C311 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 1 and 2 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C312 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 3 and Midterm - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C313 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 4 and 5 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C314 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 6 and Final - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C315 - Supervised Demonstration Teaching in Mathematics, Observations 1 and 2 - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C316 - Supervised Demonstration Teaching in Mathematics, Observation 3 and Midterm - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C317 - Supervised Demonstration Teaching in Mathematics, Observations 4 and 5 - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C318 - Supervised Demonstration Teaching in Mathematics, Observation 6 and Final - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C319 - Supervised Demonstration Teaching in Science, Observations 1 and 2 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C320 - Supervised Demonstration Teaching in Science, Observation 3 and Midterm - Supervised Demonstration Teaching in Science involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C321 - Supervised Demonstration Teaching in Science, Observations 4 and 5 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C322 - Supervised Demonstration Teaching in Science, Observation 6 and Final - Supervised Demonstration Teaching in Science involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C323 - Supervised Demonstration Teaching in Elementary Education, Observations 1 and 2 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C324 - Supervised Demonstration Teaching in Elementary Education, Observation 3 and Midterm - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C325 - Supervised Demonstration Teaching in Elementary Education, Observations 4 and 5 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 154'
  ➜ Skipping stray line: 'C326 - Supervised Demonstration Teaching in Elementary Education, Observation 6 and Final - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C327 - Supervised Demonstration Teaching in Mathematics, Observations 1 and 2 - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C328 - Supervised Demonstration Teaching in Mathematics, Observation 3 and Midterm - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C329 - Supervised Demonstration Teaching in Mathematics, Observations 4 and 5 - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C330 - Supervised Demonstration Teaching in Mathematics, Observation 6 and Final - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C331 - Supervised Demonstration Teaching in Science, Observations 1 and 2 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C332 - Supervised Demonstration Teaching in Science, Observation 3 and Midterm - Supervised Demonstration Teaching in Science involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C333 - Supervised Demonstration Teaching in Science, Observations 4 and 5 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C334 - Supervised Demonstration Teaching in Science, Observation 6 and Final - Supervised Demonstration Teaching in Science involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C339 - Cohort Seminar - Cohort Seminar provides mentoring and supports teacher candidates during their demonstration teaching period by'
  ➜ Skipping stray line: 'providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates their demonstration of competence in'
  ➜ Skipping stray line: 'becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom, exploring community resources, building'
  ➜ Skipping stray line: 'collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'
  ➜ Skipping stray line: 'C340 - Cohort Seminar in Special Education - Cohort Seminar in Special Education provides mentoring and supports teacher candidates during'
  ➜ Skipping stray line: 'their demonstration teaching period by providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates'
  ➜ Skipping stray line: 'their demonstration of competence in becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom,'
  ➜ Skipping stray line: 'exploring community resources, building collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'
  ➜ Skipping stray line: 'C341 - Cohort Seminar - Cohort Seminar provides mentoring and supports teacher candidates during their demonstration teaching period by'
  ➜ Skipping stray line: 'providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates their demonstration of competence in'
  ➜ Skipping stray line: 'becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom, exploring community resources, building'
  ➜ Skipping stray line: 'collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'
  ➜ Skipping stray line: 'C347 - Professional Portfolio - You will create an online teaching portfolio that includes professional artifacts (e.g. resume and Philosophy of'
  ➜ Skipping stray line: 'Teaching Statement) that demonstrate the skills you have acquired throughout your Demonstration Teaching experience.'
  ➜ Skipping stray line: 'C348 - Professional Portfolio - You will create an online teaching portfolio that includes professional artifacts (e.g. resume and Philosophy of'
  ➜ Skipping stray line: 'Teaching Statement) that demonstrate the skills you have acquired throughout your Demonstration Teaching experience.'
  ➜ Skipping stray line: 'C349 - Health Assessment - The Health Assessment course is designed to enhance students’ knowledge and skills in health promotion, the early'
  ➜ Skipping stray line: 'detection of illness and prevention of disease. To that end the course provides relevant content and skills necessary to perform a comprehensive'
  ➜ Skipping stray line: 'physical assessment of patients throughout the lifespan. Students are engaged in these processes through interviewing, history taking and'
  ➜ Skipping stray line: 'demonstration of an advanced-level physical examination. Dominant models, theories and perspectives related to evidence-based wellness practices'
  ➜ Skipping stray line: 'and health education strategies also are included in this challenging course. Competency is measured through successful completion of two'
  ➜ Skipping stray line: 'performance tasks. It is recommended that students plan to complete C349 in four to six weeks.'
  ➜ Skipping stray line: 'C350 - Comprehensive Health Assessment for Patients and Populations - In this course, students will learn about the principles of health'
  ➜ Skipping stray line: 'assessment from the individual to the global level. Students will learn to perform a comprehensive functional health assessment that includes social'
  ➜ Skipping stray line: 'structures, family history, and environmental situations, from the individual patient to the population. This course builds on prior knowledge gained in'
  ➜ Skipping stray line: 'previous courses and in nursing practice, in areas such as pathophysiology, pharmacology, and epidemiology, and focus on applying this knowledge'
  ➜ Skipping stray line: 'in various populations with common disorders.'
  ➜ Skipping stray line: 'This course is roughly divided into three parts:'
  ➜ Skipping stray line: '• Advanced health assessment focusing on abnormal findings for common disease.'
  ➜ Skipping stray line: '• Integrating health assessment findings into a population, considering such issue as culture, spirituality, and continuum.'
  ➜ Skipping stray line: '• Functionality of clients based upon the problems and populations.'
  ➜ Skipping stray line: 'C351 - Professional Presence and Influence - Who we are and how we behave affects others. Our professional presence in therapeutic settings'
  ➜ Skipping stray line: 'can support or inhibit well-being not only in patients, but also in the rest of the health care team, in the family and support system of the patients, and'
  ➜ Skipping stray line: 'in the health care organization as a whole. This course will help registered nurses manage this impact by recognizing situations and practices that'
  ➜ Skipping stray line: 'support a positive environment and cultivating actions and responses to achieve and maintain this environment. The growth of self-knowledge will'
  ➜ Skipping stray line: 'expand nurses’ ability to direct influence in ways that are intended rather than in random or destructive ways.'
  ➜ Skipping stray line: 'C352 - Contemporary Pharmacotherapeutics - This course provides the opportunity to acquire advanced knowledge and skills in the therapeutic'
  ➜ Skipping stray line: 'use of pharmacologic agents, herbals, and supplements. Students will explore the pharmacologic treatment of major health problems and examine the'
  ➜ Skipping stray line: 'principles of pharmacogenomics. The effects of culture, ethnicity, age, pregnancy, gender, healthcare setting, and funding of pharmacologic therapy'
  ➜ Skipping stray line: 'will be emphasized. Legal aspects of prescribing will be fully addressed. Case studies will be utilized to present some of these concepts.'
  ➜ Skipping stray line: 'C358 - Foundations of Nursing Education - This graduate level course in the education specialty core examines the contemporary issues of nursing'
  ➜ Skipping stray line: 'education. While traditional contexts for learning are included, students will also focus on modern technology and trends in nursing education.'
  ➜ Skipping stray line: 'Students will explore curriculum development, educational philosophy, theories and models, instruction and evaluation, as well as e-learning,'
  ➜ Skipping stray line: 'simulations, and current technology in nursing education.'
  ➜ Skipping stray line: 'C359 - Future Directions in Contemporary Learning and Education - This course builds on previously developed concepts acquired in'
  ➜ Skipping stray line: 'Foundations of Nursing Education and Facilitating Learning in the 21st Century. This course will explore how changes in the economy, advancements'
  ➜ Skipping stray line: 'in science, and the explosion of technology have created a paradigm shift in nursing education. Graduates will further explore the role of the educator'
  ➜ Skipping stray line: 'and the application of innovative education strategies.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 155'
  ➜ Skipping stray line: 'C360 - Teacher Work Sample in English Language Learning - The Teacher Work Sample is a culmination of the wide variety of skills learned'
  ➜ Skipping stray line: 'during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of'
  ➜ Skipping stray line: 'your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C361 - Evidence Based Practice and Applied Nursing Research - The Evidence Based Practice and Applied Nursing Research course will help'
  ➜ Skipping stray line: 'you to learn how to design and conduct research to answer important questions about improving nursing practice and patient care delivery outcomes.'
  ➜ Skipping stray line: 'After you are introduced to the basics of evidence-based practice, you will continue to implement the principles throughout your clinical experience.'
  ➜ Skipping stray line: 'This will allow you to graduate with more competence and confidence to become a leader in the healing environment.'
  ➜ Skipping stray line: 'C362 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to apply'
  ➜ Skipping stray line: 'differential calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include functions, limits, continuity,'
  ➜ Skipping stray line: 'differentiability, visual, analytical, and conceptual approaches to the definition of the derivative, the power, chain, sum, product, and quotient rules'
  ➜ Skipping stray line: 'applied to polynomial, trigonometric, exponential, and logarithmic functions, implicit differentiation, position, velocity, and acceleration, optimization,'
  ➜ Skipping stray line: 'related rates, curve sketching, and L'Hopital's Rule. Pre-Calculus is a pre-requisite for this course.'
  ➜ Skipping stray line: 'C363 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to apply'
  ➜ Skipping stray line: 'differential calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include functions, limits, continuity,'
  ➜ Skipping stray line: 'differentiability, visual, analytical, and conceptual approaches to the definition of the derivative, the power, chain, sum, product, and quotient rules'
  ➜ Skipping stray line: 'applied to polynomial, trigonometric, exponential, and logarithmic functions, implicit differentiation, position, velocity, and acceleration, optimization,'
  ➜ Skipping stray line: 'related rates, curve sketching, and L'Hopital's Rule. Pre-Calculus is a pre-requisite for this course.'
  ➜ Skipping stray line: 'C365 - Language Arts Instruction and Intervention - Language Arts Instruction and Intervention helps students learn how to implement effective'
  ➜ Skipping stray line: 'language arts instruction and intervention in the elementary classroom. Topics include written and spoken English, expanding students' knowledge,'
  ➜ Skipping stray line: 'literature rich environments, differentiated instruction, technology for reading and writing, assessment strategies for reading and writing, and strategies'
  ➜ Skipping stray line: 'for developing academic language.'
  ➜ Skipping stray line: 'C367 - Elementary Physical Education and Health Methods - Elementary Physical Education and Health Methods helps students learn how to'
  ➜ Skipping stray line: 'implement effective physical and health education instruction in the elementary classroom. Topics include healthy lifestyles, student safety, student'
  ➜ Skipping stray line: 'nutrition, physical education, differentiated instruction for physical and health education, physical education across the curriculum, and public policy in'
  ➜ Skipping stray line: 'health and physical education.'
  ➜ Skipping stray line: 'C368 - Instructional Planning and Presentation in Elementary Education - Instructional Planning and Presentation assists students as they'
  ➜ Skipping stray line: 'continue to build instructional planning skills. Topics include unit and lesson planning, instructional presentation strategies, assessment, engagement,'
  ➜ Skipping stray line: 'integration of learning across the curriculum, effective grouping strategies, technology in the classroom, and using data to inform instruction.'
  ➜ Skipping stray line: 'C369 - Instructional Planning and Presentation in Science - Students will continue to build instructional planning skills with a focus on selecting'
  ➜ Skipping stray line: 'appropriate materials for diverse learners, selecting age- and ability- appropriate strategies for the content areas, promoting critical thinking, and'
  ➜ Skipping stray line: 'establishing both short- and long- term goals'
  ➜ Skipping stray line: 'C375 - Survey of World History - Through a thematic approach, this course explores the history of human societies over 5,000 years. Students'
  ➜ Skipping stray line: 'examine political and social structures, religious beliefs, economic systems, and patterns in trade, as well as many cultural attributes that came to'
  ➜ Skipping stray line: 'distinguish different societies around the globe over time. Special attention is given to relationships between these societies and the way geographic'
  ➜ Skipping stray line: 'and environmental factors influence human development.'
  ➜ Skipping stray line: 'C380 - Language Arts Instruction and Intervention - Language Arts Instruction and Intervention helps students learn how to implement effective'
  ➜ Skipping stray line: 'language arts instruction and intervention in the elementary classroom. Topics include written and spoken English, expanding students' knowledge,'
  ➜ Skipping stray line: 'literature rich environments, differentiated instruction, technology for reading and writing, assessment strategies for reading and writing, and strategies'
  ➜ Skipping stray line: 'for developing academic language.'
  ➜ Skipping stray line: 'C381 - Elementary Mathematics Methods - Elementary Mathematics Methods helps students learn how to implement effective math instruction in'
  ➜ Skipping stray line: 'the elementary classroom. Topics include differentiated math instruction, mathematical communication, mathematical tools for instruction, assessing'
  ➜ Skipping stray line: 'math understanding, integrating math across the curriculum, critical thinking development, standards based math instruction, and mathematical'
  ➜ Skipping stray line: 'models and representation.'
  ➜ Skipping stray line: 'C382 - Elementary Science Methods - Elementary Science Methods helps students learn how to implement effective science instruction in the'
  ➜ Skipping stray line: 'elementary classroom. Topics include processes of science, science inquiry, science learning environments, instructional strategies for science,'
  ➜ Skipping stray line: 'differentiated instruction for science, assessing science understanding, technology for science instruction, standards based science instruction,'
  ➜ Skipping stray line: 'integrating science across curriculum, and science beyond the classroom.'
  ➜ Skipping stray line: 'C388 - Science, Technology, and Society - Science, Technology, and Society explores the ways in which science influences and is influenced by'
  ➜ Skipping stray line: 'society and technology. A humanistic and social endeavor, science serves the needs of ever-changing societies by providing methods for observing,'
  ➜ Skipping stray line: 'questioning, discovering, and communicating information about the physical and natural world. This course prepares educators to explain the nature'
  ➜ Skipping stray line: 'and history of science, the various applications of science, and the scientific and engineering processes used to conduct investigations, make'
  ➜ Skipping stray line: 'decisions, and solve problems. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C389 - Science, Technology, and Society - Science, Technology, and Society explores the ways in which science influences and is influenced by'
  ➜ Skipping stray line: 'society and technology. A humanistic and social endeavor, science serves the needs of ever-changing societies by providing methods for observing,'
  ➜ Skipping stray line: 'questioning, discovering, and communicating information about the physical and natural world. This course prepares educators to explain the nature'
  ➜ Skipping stray line: 'and history of science, the various applications of science, and the scientific and engineering processes used to conduct investigations, make'
  ➜ Skipping stray line: 'decisions, and solve problems. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C393 - IT Foundations - IT Foundations is the first course in a two-part series preparatory for the CompTIA A+ exam, Part I. Students will gain an'
  ➜ Skipping stray line: 'understanding of personal computer components and their functions in a desktop system, as well as computer data storage and retrieval; classifying,'
  ➜ Skipping stray line: 'installing, configuring, optimizing, upgrading, and troubleshooting printers, laptops, portable devices, operating systems, networks, and system'
  ➜ Skipping stray line: 'security; recommending appropriate tools, diagnostic procedures, preventative maintenance and troubleshooting techniques for personal computer'
  ➜ Skipping stray line: 'components in a desktop system; strategies for identifying, preventing, and reporting safety hazards and environmental/human accidents in a'
  ➜ Skipping stray line: 'technological environments; and effective communication with colleagues and clients as well as job-related professional behavior.'
  ➜ Skipping stray line: 'C394 - IT Applications - IT Applications is a continuation of the IT Foundations course preparatory for the CompTIA A+ exam, Part II.'
  ➜ Skipping stray line: 'Students will gain an understanding of personal computer components and their functions in a desktop system. Also covered is computer data storage'
  ➜ Skipping stray line: 'and retrieval, including classifying, installing, configuring, optimizing, upgrading, and troubleshooting printers, laptops, portable devices, operating'
  ➜ Skipping stray line: 'systems, networks, and system security. Other areas include recommending appropriate tools, diagnostic procedures, preventative maintenance and'
  ➜ Skipping stray line: 'troubleshooting techniques for personal computer components in a desktop system. The course then finished with strategies for identifying,'
  ➜ Skipping stray line: 'preventing, and reporting safety hazards and environmental/human accidents in a technological environments, and effective communication with'
  ➜ Skipping stray line: 'colleagues and clients as well as job-related professional behavior.'
  ➜ Skipping stray line: 'C395 - Instructional Planning and Presentation in English - Applications in Instructional Planning and Presentation in English, as a continuation of'
  ➜ Skipping stray line: 'the Instructional Planning and Presentation course, helps students apply, analyze, and reflect on effective classroom instruction.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 156'
  ➜ Skipping stray line: 'C396 - English Pedagogy - English Pedagogy examines pedagogical applications for the teaching of reading, literature, composition, and related'
  ➜ Skipping stray line: 'English Language Arts (ELA) content and skills for middle and secondary schools. Focused on fostering and developing pedagogical content'
  ➜ Skipping stray line: 'knowledge in the aforementioned areas, students will analyze assessment strategies and incorporate methods of literacy instruction into their'
  ➜ Skipping stray line: 'instructional planning to meet the needs of diverse learners. This course helps students prepare and develop skills for classroom practice, lesson'
  ➜ Skipping stray line: 'planning, and working in school settings. C397 Preclinical Experiences in English is a prerequisite.'
  ➜ Skipping stray line: 'C397 - Preclinical Experiences in English - Preclinical Experiences in English provides students the opportunity to observe and participate in a wide'
  ➜ Skipping stray line: 'range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will reflect on'
  ➜ Skipping stray line: 'and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required to meet'
  ➜ Skipping stray line: 'several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C398 - Supervised Demonstration Teaching in English, Observations 1 and 2 - Supervised Demonstration Teaching in English involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C399 - Supervised Demonstration Teaching in English, Observation 3 and Midterm - Supervised Demonstration Teaching in English involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C400 - Supervised Demonstration Teaching in English, Observations 4 and 5 - Supervised Demonstration Teaching in English involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C401 - Supervised Demonstration Teaching in English, Observation 6 and Final - Supervised Demonstration Teaching in English involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C405 - Anatomy and Physiology II - This course introduces advanced concepts of human anatomy and physiology, through the investigation of the'
  ➜ Skipping stray line: 'structures and functions of the body's organ systems. Students will have the opportunity to explore the body through laboratory experience and apply'
  ➜ Skipping stray line: 'the concepts covered in this course. For nursing students this is the second of two anatomy and physiology courses within the program of study.'
  ➜ Skipping stray line: 'C410 - Collaborative Leadership Project - The purpose of this course is to practice applying collaborative leadership skills in an innovative'
  ➜ Skipping stray line: 'environment while engaging with a community. You will combine innovation with leadership to serve patients. You will also identify an innovation'
  ➜ Skipping stray line: 'process that will serve the Navajo Area Indian Health Services (NAIHS) facility in the Navajo Nation. The main task will be to collaborate with'
  ➜ Skipping stray line: 'stakeholders on the proposed process to address obesity.'
  ➜ Skipping stray line: 'C417 - Analytical Methods of Healthcare Professionals - This course explores the significance of research and statistics in care management. You'
  ➜ Skipping stray line: 'will start by examining the role of evidence-based decisions in care management and how to evaluate the quality of research used to make those'
  ➜ Skipping stray line: 'decisions. You will examine the role of statistics in making evidence-based decisions about care management. Finally, you will learn how statistics are'
  ➜ Skipping stray line: 'used in healthcare and how to test the validity of statistics in order to make informed care management decisions.'
  ➜ Skipping stray line: 'C421 - Health Information Technology Project - A medical group has decided to move forward with the organizational initiative of reducing health'
  ➜ Skipping stray line: 'disparities, increasing access, and improving outcomes by leading a cooperative of local healthcare organizations in a Community Health Information'
  ➜ Skipping stray line: 'Exchange System (CHIES) expansion plan founded on the governor’s vision to advance HIEs. You will complete an assessment of a CHIE, propose'
  ➜ Skipping stray line: 'an updated Electronic Health Records System (EHRS), and complete a CHIE feasibility assessment.'
  ➜ Skipping stray line: 'C423 - Challenges in Community Health Project - Community-based integrated healthcare requires skills in communication, management, and'
  ➜ Skipping stray line: 'resource utilization among healthcare personnel, healthcare organizations, and community and state entities. You will apply appropriate actions and'
  ➜ Skipping stray line: 'strategies consistent with the organizational mission, values, and needs in interactions with community leaders and members of the community. You'
  ➜ Skipping stray line: 'will learn and demonstrate utilization of communication and collaboration skills and the evaluation and application of data in problem-solving skills at'
  ➜ Skipping stray line: 'both the organizational and community level.'
  ➜ Skipping stray line: 'C424 - Integrated Healthcare Project - You will develop and present a comprehensive case study and business plan that proposes an integrated'
  ➜ Skipping stray line: 'system that includes, at a minimum, a health plan, hospitals, skilled nursing homes, and home health organizations to meet the rising health demands'
  ➜ Skipping stray line: 'of the baby-boomer population. You will choose an area of the U.S. with existing healthcare organizations, and present a model of an “open delivery'
  ➜ Skipping stray line: 'system” that serves as a financial hedge, enables experimentation, integrates culture (patient population demographics and regional healthcare'
  ➜ Skipping stray line: 'values and principles), incentives wellness and preventative care), and is value-based and consumer driven.'
  ➜ Skipping stray line: 'C425 - Healthcare Delivery Systems, Regulation, and Compliance - This course provides an overview of the U.S. healthcare system and focuses'
  ➜ Skipping stray line: 'on developing an understanding of the various sectors and roles involved in this complex industry. Policy and compliance issues are also addressed to'
  ➜ Skipping stray line: 'facilitate an appreciation for the highly regulated nature of healthcare delivery.'
  ➜ Skipping stray line: 'C426 - Healthcare Values and Ethics - This course explores ethical standards and considerations common to the healthcare environment such as'
  ➜ Skipping stray line: 'access to care, confidentiality, the allocation of limited resources, and billing practices. This course also focuses on the distinct value system'
  ➜ Skipping stray line: 'associated with the healthcare industry, as well as the values of professionalism.'
  ➜ Skipping stray line: 'C427 - Technology Applications in Healthcare - This course explores how technology continues to change and influence the healthcare industry.'
  ➜ Skipping stray line: 'Practical managerial applications are explored as well as the legal, ethical, and practical aspects of access to health and disease information.'
  ➜ Skipping stray line: 'Ensuring the protection of private health information is also emphasized.'
  ➜ Skipping stray line: 'C428 - Financial Resource Management in Healthcare - This course examines the financial environment of the healthcare industry including'
  ➜ Skipping stray line: 'principles involved in managed care. It also explores the revenue and expense structures for different sectors within the industry while emphasizing'
  ➜ Skipping stray line: 'funding and reimbursement practices of healthcare.'
  ➜ Skipping stray line: 'C429 - Healthcare Operations Management - This course builds upon basic principles of management, organizational behavior, and leadership.'
  ➜ Skipping stray line: 'Specific processes and business principles for managing operations in interdependent and multi-disciplinary healthcare organizations are explored.'
  ➜ Skipping stray line: 'Marketing strategies, communication skills, and the ability to establish and maintain relationships while ensuring productivity that is efficient, safe, and'
  ➜ Skipping stray line: 'meets the needs of all stakeholders is emphasized.'
  ➜ Skipping stray line: 'C430 - Healthcare Quality Improvement and Risk Management - This course emphasizes principles of quality management and risk management'
  ➜ Skipping stray line: 'in order to ensure safety, maximize patient outcomes, and continuously improve organizational outcomes. This course also examines the broader'
  ➜ Skipping stray line: 'impact of organizational culture and its influence on productivity, quality, and risk.'
  ➜ Skipping stray line: 'C431 - Healthcare Research and Statistics - This course builds upon an understanding of research methods and quantitative analysis. Concepts of'
  ➜ Skipping stray line: 'population health, epidemiology, and evidence-based practices provide the foundation for understanding the importance of data for informing'
  ➜ Skipping stray line: 'healthcare organizational decisions.'
  ➜ Skipping stray line: 'C432 - Healthcare Management and Strategy - This course builds upon basic principles of strategic management and explores healthcare'
  ➜ Skipping stray line: 'organizational structures and processes. The importance of the collaborative nature and interrelationships among business functions is emphasized.'
  ➜ Skipping stray line: 'Creating a healthcare vision and designing business plans within a healthcare environment is also examined.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 157'
  ➜ Skipping stray line: 'C433 - Integrated Healthcare Management Capstone Project - The capstone project is a student-designed project intended to illustrate your ability'
  ➜ Skipping stray line: 'to effect change in the industry and demonstrate competence in all five core competencies of the curriculum. You are required to collaborate with'
  ➜ Skipping stray line: 'leaders in the healthcare industry to identify opportunities for improvement in healthcare, propose a solution, and perform a business analysis to'
  ➜ Skipping stray line: 'evaluate its feasibility. In addition, the capstone project encourages work in the healthcare industry that will be showcased in your collection of work'
  ➜ Skipping stray line: 'and help solidify professional relationships in the industry.'
  ➜ Skipping stray line: 'C439 - Healthcare Management Capstone - This course is the culminating experience and assessment of healthcare business administration. This'
  ➜ Skipping stray line: 'course requires the student to integrate and synthesize managerial skills with healthcare knowledge, resulting in a high quality final project that'
  ➜ Skipping stray line: 'demonstrates professional managerial proficiency.'
  ➜ Skipping stray line: 'C451 - Integrated Natural Science - Integrated Natural Sciences explores the natural world through an integrated perspective and helps students'
  ➜ Skipping stray line: 'begin to see and draw numerous connections among events in the natural world. Topics include the universe, the Earth, ecosystems and organisms.'
  ➜ Skipping stray line: 'C452 - Integrated Natural Science Applications - Integrated Natural Sciences Applications explores the natural world through an integrated'
  ➜ Skipping stray line: 'perspective and helps students apply scientific concepts and methodologies to the examination of natural science fundamentals.'
  ➜ Skipping stray line: 'C453 - Clinical Microbiology - Clinical Microbiology introduces general concepts, methods, and applications of microbiology from a health sciences'
  ➜ Skipping stray line: 'perspective. The course is designed to provide healthcare professionals with a basic understanding of how various diseases are transmitted and'
  ➜ Skipping stray line: 'controlled. Students will examine the structure and function of microorganisms, including the roles that they play in causing major diseases. The'
  ➜ Skipping stray line: 'course also explores immunological, pathological and epidemiological factors associated with disease. To assist students in developing an applied,'
  ➜ Skipping stray line: 'patient-focused understanding of microbiology, this course is complimented by several lab experiments which allow students to: practice aseptic'
  ➜ Skipping stray line: 'techniques, grow bacteria and fungi, identify characteristics of bacteria and yeast based on biochemical and environmental tests, determine antibiotic'
  ➜ Skipping stray line: 'susceptibility, discover the microorganisms growing on objects and surfaces, and determine the Gram characteristic of bacteria. This course has no'
  ➜ Skipping stray line: 'pre-requisites.'
  ➜ Skipping stray line: 'C455 - English Composition I - English Composition I introduces learners to the types of writing and thinking that are valued in college and beyond.'
  ➜ Skipping stray line: 'Students will practice writing in several genres with emphasis placed on writing and revising academic arguments. Instruction and exercises in'
  ➜ Skipping stray line: 'grammar, mechanics, research documentation, and style are paired with each module so that writers can practice these skills as necessary.'
  ➜ Skipping stray line: 'Comp I is a foundational course designed to help students prepare for success at the college level.'
  ➜ Skipping stray line: 'There are no prerequisites for English Composition I.'
  ➜ Skipping stray line: 'C456 - English Composition II - English Composition II introduces undergraduate students to research writing. It is a foundational course designed to'
  ➜ Skipping stray line: 'help students prepare for advanced writing within the discipline and to complete the capstone. Specifically, this course will help students develop or'
  ➜ Skipping stray line: 'improve research, reference citation, document organization, and writing skills. English Composition I or equivalent is a prerequisite for this course.'
  ➜ Skipping stray line: 'C457 - Foundations of College Mathematics - Foundations of College Mathematics addresses the sequence of learning activities necessary to build'
  ➜ Skipping stray line: 'competence in foundational concepts of College Mathematics, which include whole numbers, fractions, decimals, ratios, proportions and percents,'
  ➜ Skipping stray line: 'geometry, statistics, the real number system, equations, inequalities, applications, and graphs of linear equations.'
  ➜ Skipping stray line: 'C458 - Health, Fitness and Wellness - Health, Fitness and Wellness focuses on the importance and foundations of good health and physical fitness,'
  ➜ Skipping stray line: 'particularly for children and adolescents, addressing health, nutrition, fitness, and substance use and abuse.'
  ➜ Skipping stray line: 'C459 - Introduction to Probability and Statistics - In this course, students demonstrate competency in the basic concepts, logic, and issues'
  ➜ Skipping stray line: 'involved in statistical reasoning. Topics include summarizing and analyzing data, sampling and study design, and probability.'
  ➜ Skipping stray line: 'C460 - Mathematics for Elementary Educators I - Mathematics for Elementary Educators I engages pre-service elementary teachers in'
  ➜ Skipping stray line: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in problem solving, set theory,'
  ➜ Skipping stray line: 'number theory, whole numbers and integers. This is the first course in a three-course sequence.'
  ➜ Skipping stray line: 'C461 - Mathematics for Elementary Educators II - This course engages pre-service elementary teachers in mathematical practices based on deep'
  ➜ Skipping stray line: 'understanding of underlying concepts. This course takes the arithmetic of the first course and generalizes it into algebraic reasoning. The course also'
  ➜ Skipping stray line: 'touches on important topics in probability. This is the second course in a three-course sequence.'
  ➜ Skipping stray line: 'C462 - Mathematics for Elementary Educators III - Mathematics for Elementary Educators III engages pre-service elementary teachers in'
  ➜ Skipping stray line: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in statistics, measurement, and'
  ➜ Skipping stray line: 'covers geometry from synthetic, transformational, and coordinate perspectives. This is the third course in a three-course sequence.'
  ➜ Skipping stray line: 'C463 - Intermediate Algebra - This course provides an introduction of algebraic concepts and the development of the essential groundwork for'
  ➜ Skipping stray line: 'College Algebra. Topics include: A review of basic mathematical skills, the real number system, algebraic expressions, linear equations, graphing,'
  ➜ Skipping stray line: 'exponents and polynomials'
  ➜ Skipping stray line: 'C464 - Introduction to Communication - This introductory communication course allows students to become familiar with the fundamental'
  ➜ Skipping stray line: 'communication theories and practices necessary to engage in healthy professional and personal relationships. Students will survey human'
  ➜ Skipping stray line: 'communication on multiple levels and critically apply the theoretical grounding of the course to interpersonal, intercultural, small group, and public'
  ➜ Skipping stray line: 'presentational contexts. The course also encourages students to consider the influence of language, perception, culture, and media on their daily'
  ➜ Skipping stray line: 'communicative interactions. In addition to theory, students will engage in the application of effective communication skills through systematically'
  ➜ Skipping stray line: 'preparing and delivering an oral presentation. By practicing these fundamental skills in human communication, students become more competent'
  ➜ Skipping stray line: 'communicators as they develop more flexible, useful, and discriminatory communicative practices in a variety of contexts.'
  ➜ Skipping stray line: 'C465 - Care of the Developing Family - .'
  ➜ Skipping stray line: 'C466 - Medication Dosage Calculations - In Medication Dosage Calculations, students learn about individualized drug dosing concepts, including:'
  ➜ Skipping stray line: 'different measurement systems, solid and liquid medications, calculating dosages based on body weight or body surface area, interpreting drug labels'
  ➜ Skipping stray line: 'and abbreviations, and common medication errors.'
  ➜ Skipping stray line: 'C467 - Pharmacology - Pharmacology covers concepts in pharmacology including drug classification and effects, the role of the nurse in drug'
  ➜ Skipping stray line: 'therapy, preparation and administration of drugs, and ethical and legal issues surrounding medication administration. The Institute of Medicine reports'
  ➜ Skipping stray line: 'that cited medication errors as the most common medical errors, costing billions of dollars and harming up to 1.5 million people every year. Medication'
  ➜ Skipping stray line: 'errors are often the result of nurses failing to follow proper procedures. The pharmacology course covers the following concepts: the nursing process'
  ➜ Skipping stray line: 'in relation to drug therapy; the role of pharmacological principles in nursing; the role of the nurse in pharmacy and lifespan considerations; cultural,'
  ➜ Skipping stray line: 'ethical, and legal considerations; education and substance abuse; and gene therapy and pharmacology. This course introduces the nursing student to'
  ➜ Skipping stray line: 'these concepts and continues to integrate pharmacology throughout the clinical courses within the program.'
  ➜ Skipping stray line: 'C468 - Information Management and the Application of Technology - Information Management and the Application of Technology helps the'
  ➜ Skipping stray line: 'student learn how to identify and implement the unique responsibilities of nurses related to the application of technology and the management of'
  ➜ Skipping stray line: 'patient information. This includes: understanding the evolving role of nurse informaticists; demonstrating the skills needed to use electronic health'
  ➜ Skipping stray line: 'records; identifying nurse-sensitive outcomes that lead to quality improvement measures; supporting the contributions of nurses to patient care;'
  ➜ Skipping stray line: 'examining workflow changes related to the implementation of computerized management systems; and learning to analyze the implications of new'
  ➜ Skipping stray line: 'technology on security, practice, and research.'
  ➜ Skipping stray line: 'C469 - Caring Arts and Science Across the Lifespan Part I - Caring Arts and Science Across the Lifespan Part I introduces nursing fundamentals'
  ➜ Skipping stray line: 'which speak to the core of all nursing care by assessing the needs of patients with compassion and respect; advocating for patients and their families;'
  ➜ Skipping stray line: 'providing education and comfort; and integrating patient needs into a plan of care that embraces individuality, diversity, and belief. Students continue'
  ➜ Skipping stray line: 'to learn about fundamental nursing skills within their didactic environment and will be provided time to practice in a learning lab environment.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 158'
  ➜ Skipping stray line: 'C470 - Caring Arts and Science Across the Lifespan Part I Clinical Learning - This course includes all aspects of clinical learning related to the'
  ➜ Skipping stray line: 'fundamentals of nursing practice. Learning labs will teach and assess task skill knowledge including physical assessment, safe medication'
  ➜ Skipping stray line: 'administration, oxygenation; nutrition, metabolism, & elimination; skin integrity, activity, & mobility; and cognition. Students who are successful in lab'
  ➜ Skipping stray line: 'assessments will progress to live patient clinicals and will be assessed for their mastery of basic levels of the key behaviors for clinical practice of a'
  ➜ Skipping stray line: 'novice nursing student.'
  ➜ Skipping stray line: 'C471 - Caring Arts and Science Across the Lifespan Part II - Caring Arts and Science Across the Lifespan Part II topics include management of'
  ➜ Skipping stray line: 'the perioperative care continuum; patient centered care of the adult; care of the adult with alterations in circulation; car of the adult with alterations in'
  ➜ Skipping stray line: 'cardiovascular function; care of the adult with alterations in oxygenation; care of the adult with alterations in neurosensory function; fundamental'
  ➜ Skipping stray line: 'patient self-determination & advocacy; and end-of-life care. This course incorporates virtual simulations into the didactic course to help students'
  ➜ Skipping stray line: 'prepare for their learning labs and clinical learning experience. Patient scenarios for the virtual simulations include: fluid & electrolyte imbalance; blood'
  ➜ Skipping stray line: 'transfusion reaction; severe reaction to antibiotic; pulmonary embolism; and postoperative complications with a fracture.'
  ➜ Skipping stray line: 'C472 - Caring Arts and Science Across the Lifespan Part II Clinical Learning - The clinical learning course for CASAL II includes all aspects of'
  ➜ Skipping stray line: 'clinical learning related to medical surgical nursing practice. Learning labs will teach and assess task skill knowledge progressing to high fidelity'
  ➜ Skipping stray line: 'simulation scenarios to develop mastery of situated use of knowledge and synthesis of knowledge in clinical scenarios that focus on perioperative'
  ➜ Skipping stray line: 'care. The virtual simulations that students completed in didactic will prepare them for their learning lab scenarios. Students who are successful in lab'
  ➜ Skipping stray line: 'assessments will progress to live patient clinicals and will be assessed for their mastery of basic levels of the key behaviors for clinical practice of'
  ➜ Skipping stray line: 'Medical Surgical nursing.'
  ➜ Skipping stray line: 'C473 - Care of Adults with Complex Illnesses - The Care of Adults with Complex Illnesses course builds on prior knowledge of medical surgical'
  ➜ Skipping stray line: 'nursing care and common conditions, focusing on diseases and conditions that affect the neuromuscular system, the musculoskeletal system, the'
  ➜ Skipping stray line: 'kidneys, the pancreas, and diseases such as cancer and impaired immunity, which affect every part of the body. Students will develop mastery of'
  ➜ Skipping stray line: 'competencies related to advanced medical surgical nursing practice. This course also utilizes virtual simulation scenarios to help students prepare for'
  ➜ Skipping stray line: 'their learning labs and their clinical intensives. Students work through the following patient scenarios: diabetes/hypoglycemia; postop abdominal'
  ➜ Skipping stray line: 'hysterectomy/opioid intoxication; acute severe asthma; acute myocardial infarction; and respiratory system disease.'
  ➜ Skipping stray line: 'C474 - Clinical Learning for Complex Illnesses in Adults - Clinical Care of Adults with Complex Illnesses includes all aspects of clinical learning'
  ➜ Skipping stray line: 'related to advanced medical surgical nursing practice. Learning labs will teach and assess advanced clinical competencies through the use of high'
  ➜ Skipping stray line: 'fidelity simulation and advanced clinical debriefing for clinical scenarios. Students participate in skills related to advance medication administration,'
  ➜ Skipping stray line: 'central venous devices, and peripherally inserted central catheters. The virtual simulations that students completed in didactic will prepare them for'
  ➜ Skipping stray line: 'their learning lab scenarios. Students who are successful in simulation assessments will progress to live patient clinicals and will be assessed for their'
  ➜ Title candidate: 'mastery of advanced levels of the key behaviors for clinical practice of Medical Surgical nursing.'
  ✔️ Collected description (1790 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 5178: 'C215 - Operations Management - This course focuses on the strategic importance of operations management to overall performance. This course'

🔍 parse_program: starting at line 5178: 'C215 - Operations Management - This course focuses on the strategic importance of operations management to overall performance. This course'
  ➜ Title candidate: 'C215 - Operations Management - This course focuses on the strategic importance of operations management to overall performance. This course'
  ❌ Invalid title line: 'C215 - Operations Management - This course focuses on the strategic importance of operations management to overall performance. This course'
  ➜ Parsing at 5179: 'also emphasizes principles of supply chain management relevant to a variety of business operations ranging from manufacturing goods to retail'

🔍 parse_program: starting at line 5179: 'also emphasizes principles of supply chain management relevant to a variety of business operations ranging from manufacturing goods to retail'
  ➜ Title candidate: 'also emphasizes principles of supply chain management relevant to a variety of business operations ranging from manufacturing goods to retail'
  ❌ Invalid title line: 'also emphasizes principles of supply chain management relevant to a variety of business operations ranging from manufacturing goods to retail'
  ➜ Parsing at 5180: 'services. You will examine the various planning, control, and decision-making tools and techniques of the operations function.'

🔍 parse_program: starting at line 5180: 'services. You will examine the various planning, control, and decision-making tools and techniques of the operations function.'
  ➜ Title candidate: 'services. You will examine the various planning, control, and decision-making tools and techniques of the operations function.'
  ❌ Invalid title line: 'services. You will examine the various planning, control, and decision-making tools and techniques of the operations function.'
  ➜ Parsing at 5181: 'C216 - MBA Capstone - This course is the culminating assessment of the MBA curriculum and covers all previous assessment topics. You will work'

🔍 parse_program: starting at line 5181: 'C216 - MBA Capstone - This course is the culminating assessment of the MBA curriculum and covers all previous assessment topics. You will work'
  ➜ Title candidate: 'C216 - MBA Capstone - This course is the culminating assessment of the MBA curriculum and covers all previous assessment topics. You will work'
  ❌ Invalid title line: 'C216 - MBA Capstone - This course is the culminating assessment of the MBA curriculum and covers all previous assessment topics. You will work'
  ➜ Parsing at 5182: 'with a real-world organization to develop a solution to a business problem. In addition, you will work in teams of three or four students to simulate'

🔍 parse_program: starting at line 5182: 'with a real-world organization to develop a solution to a business problem. In addition, you will work in teams of three or four students to simulate'
  ➜ Title candidate: 'with a real-world organization to develop a solution to a business problem. In addition, you will work in teams of three or four students to simulate'
  ❌ Invalid title line: 'with a real-world organization to develop a solution to a business problem. In addition, you will work in teams of three or four students to simulate'
  ➜ Parsing at 5183: 'running a business. One unique aspect of the simulation is that there are scheduled dates each week for simulation decisions. Since all teams are'

🔍 parse_program: starting at line 5183: 'running a business. One unique aspect of the simulation is that there are scheduled dates each week for simulation decisions. Since all teams are'
  ➜ Title candidate: 'running a business. One unique aspect of the simulation is that there are scheduled dates each week for simulation decisions. Since all teams are'
  ❌ Invalid title line: 'running a business. One unique aspect of the simulation is that there are scheduled dates each week for simulation decisions. Since all teams are'
  ➜ Parsing at 5184: 'required to meet the deadlines and work at the same pace this aspect of the assessment cannot be accelerated.'

🔍 parse_program: starting at line 5184: 'required to meet the deadlines and work at the same pace this aspect of the assessment cannot be accelerated.'
  ➜ Title candidate: 'required to meet the deadlines and work at the same pace this aspect of the assessment cannot be accelerated.'
  ❌ Invalid title line: 'required to meet the deadlines and work at the same pace this aspect of the assessment cannot be accelerated.'
  ➜ Parsing at 5185: 'C217 - Human Growth and Development Across the Lifespan - This course introduces students to human development across the lifespan. This'

🔍 parse_program: starting at line 5185: 'C217 - Human Growth and Development Across the Lifespan - This course introduces students to human development across the lifespan. This'
  ➜ Title candidate: 'C217 - Human Growth and Development Across the Lifespan - This course introduces students to human development across the lifespan. This'
  ❌ Invalid title line: 'C217 - Human Growth and Development Across the Lifespan - This course introduces students to human development across the lifespan. This'
  ➜ Parsing at 5186: 'will include an introductory survey of cognitive, psychological, and physical growth. Students will gain an understanding in regards to the emergence of'

🔍 parse_program: starting at line 5186: 'will include an introductory survey of cognitive, psychological, and physical growth. Students will gain an understanding in regards to the emergence of'
  ➜ Title candidate: 'will include an introductory survey of cognitive, psychological, and physical growth. Students will gain an understanding in regards to the emergence of'
  ❌ Invalid title line: 'will include an introductory survey of cognitive, psychological, and physical growth. Students will gain an understanding in regards to the emergence of'
  ➜ Parsing at 5187: 'personality, identity, gender and sexuality, social relationships, emotion, language, and moral development through life. This will include milestones'

🔍 parse_program: starting at line 5187: 'personality, identity, gender and sexuality, social relationships, emotion, language, and moral development through life. This will include milestones'
  ➜ Title candidate: 'personality, identity, gender and sexuality, social relationships, emotion, language, and moral development through life. This will include milestones'
  ❌ Invalid title line: 'personality, identity, gender and sexuality, social relationships, emotion, language, and moral development through life. This will include milestones'
  ➜ Parsing at 5188: 'such as education, achievement, work, dying, and death.'

🔍 parse_program: starting at line 5188: 'such as education, achievement, work, dying, and death.'
  ➜ Title candidate: 'such as education, achievement, work, dying, and death.'
  ❌ Invalid title line: 'such as education, achievement, work, dying, and death.'
  ➜ Parsing at 5189: 'C218 - MBA, Information Technology Management Capstone - This course is the culminating assessment of the MBA, IT Management curriculum'

🔍 parse_program: starting at line 5189: 'C218 - MBA, Information Technology Management Capstone - This course is the culminating assessment of the MBA, IT Management curriculum'
  ➜ Title candidate: 'C218 - MBA, Information Technology Management Capstone - This course is the culminating assessment of the MBA, IT Management curriculum'
  ❌ Invalid title line: 'C218 - MBA, Information Technology Management Capstone - This course is the culminating assessment of the MBA, IT Management curriculum'
  ➜ Parsing at 5190: 'and focuses on strategic management while allowing for the synthesis of previous assessment topics. You will work in teams of three or four students'

🔍 parse_program: starting at line 5190: 'and focuses on strategic management while allowing for the synthesis of previous assessment topics. You will work in teams of three or four students'
  ➜ Title candidate: 'and focuses on strategic management while allowing for the synthesis of previous assessment topics. You will work in teams of three or four students'
  ❌ Invalid title line: 'and focuses on strategic management while allowing for the synthesis of previous assessment topics. You will work in teams of three or four students'
  ➜ Parsing at 5191: 'to simulate running a business. One unique aspect of the simulation is that there are scheduled dates each week for simulation decisions. Since all'

🔍 parse_program: starting at line 5191: 'to simulate running a business. One unique aspect of the simulation is that there are scheduled dates each week for simulation decisions. Since all'
  ➜ Title candidate: 'to simulate running a business. One unique aspect of the simulation is that there are scheduled dates each week for simulation decisions. Since all'
  ❌ Invalid title line: 'to simulate running a business. One unique aspect of the simulation is that there are scheduled dates each week for simulation decisions. Since all'
  ➜ Parsing at 5192: 'teams are required to meet the deadlines and work at the same pace this aspect of the assessment cannot be accelerated.'

🔍 parse_program: starting at line 5192: 'teams are required to meet the deadlines and work at the same pace this aspect of the assessment cannot be accelerated.'
  ➜ Title candidate: 'teams are required to meet the deadlines and work at the same pace this aspect of the assessment cannot be accelerated.'
  ❌ Invalid title line: 'teams are required to meet the deadlines and work at the same pace this aspect of the assessment cannot be accelerated.'
  ➜ Parsing at 5193: 'C219 - MBA, Healthcare Management Capstone - This course is the culminating assessment of the MBA, Healthcare Management curriculum and'

🔍 parse_program: starting at line 5193: 'C219 - MBA, Healthcare Management Capstone - This course is the culminating assessment of the MBA, Healthcare Management curriculum and'
  ➜ Title candidate: 'C219 - MBA, Healthcare Management Capstone - This course is the culminating assessment of the MBA, Healthcare Management curriculum and'
  ❌ Invalid title line: 'C219 - MBA, Healthcare Management Capstone - This course is the culminating assessment of the MBA, Healthcare Management curriculum and'
  ➜ Parsing at 5194: 'focuses on strategic management while allowing for the synthesis of previous assessment topics. You will work in teams of three or four students to'

🔍 parse_program: starting at line 5194: 'focuses on strategic management while allowing for the synthesis of previous assessment topics. You will work in teams of three or four students to'
  ➜ Title candidate: 'focuses on strategic management while allowing for the synthesis of previous assessment topics. You will work in teams of three or four students to'
  ❌ Invalid title line: 'focuses on strategic management while allowing for the synthesis of previous assessment topics. You will work in teams of three or four students to'
  ➜ Parsing at 5195: 'simulate running a business. One unique aspect of the simulation is that there are scheduled dates each week for simulation decisions. Since all'

🔍 parse_program: starting at line 5195: 'simulate running a business. One unique aspect of the simulation is that there are scheduled dates each week for simulation decisions. Since all'
  ➜ Title candidate: 'simulate running a business. One unique aspect of the simulation is that there are scheduled dates each week for simulation decisions. Since all'
  ❌ Invalid title line: 'simulate running a business. One unique aspect of the simulation is that there are scheduled dates each week for simulation decisions. Since all'
  ➜ Parsing at 5196: 'teams are required to meet the deadlines and work at the same pace this aspect of the assessment cannot be accelerated.'

🔍 parse_program: starting at line 5196: 'teams are required to meet the deadlines and work at the same pace this aspect of the assessment cannot be accelerated.'
  ➜ Title candidate: 'teams are required to meet the deadlines and work at the same pace this aspect of the assessment cannot be accelerated.'
  ❌ Invalid title line: 'teams are required to meet the deadlines and work at the same pace this aspect of the assessment cannot be accelerated.'
  ➜ Parsing at 5197: 'C224 - Research Foundations - The Research Foundations course focuses on the essential concepts in educational research, including quantitative,'

🔍 parse_program: starting at line 5197: 'C224 - Research Foundations - The Research Foundations course focuses on the essential concepts in educational research, including quantitative,'
  ➜ Title candidate: 'C224 - Research Foundations - The Research Foundations course focuses on the essential concepts in educational research, including quantitative,'
  ❌ Invalid title line: 'C224 - Research Foundations - The Research Foundations course focuses on the essential concepts in educational research, including quantitative,'
  ➜ Parsing at 5198: 'qualitative, mixed, and action research; measurement and assessment; and strategies for obtaining warranted research results.'

🔍 parse_program: starting at line 5198: 'qualitative, mixed, and action research; measurement and assessment; and strategies for obtaining warranted research results.'
  ➜ Title candidate: 'qualitative, mixed, and action research; measurement and assessment; and strategies for obtaining warranted research results.'
  ❌ Invalid title line: 'qualitative, mixed, and action research; measurement and assessment; and strategies for obtaining warranted research results.'
  ➜ Parsing at 5199: 'C225 - Research Questions and Literature Review - The Research Questions and Literature Reviews course focuses on how to conduct a thorough'

🔍 parse_program: starting at line 5199: 'C225 - Research Questions and Literature Review - The Research Questions and Literature Reviews course focuses on how to conduct a thorough'
  ➜ Title candidate: 'C225 - Research Questions and Literature Review - The Research Questions and Literature Reviews course focuses on how to conduct a thorough'
  ❌ Invalid title line: 'C225 - Research Questions and Literature Review - The Research Questions and Literature Reviews course focuses on how to conduct a thorough'
  ➜ Parsing at 5200: 'literature review that addresses and identifies important educational research topics, problems, and questions, and helps determine the appropriate'

🔍 parse_program: starting at line 5200: 'literature review that addresses and identifies important educational research topics, problems, and questions, and helps determine the appropriate'
  ➜ Title candidate: 'literature review that addresses and identifies important educational research topics, problems, and questions, and helps determine the appropriate'
  ❌ Invalid title line: 'literature review that addresses and identifies important educational research topics, problems, and questions, and helps determine the appropriate'
  ➜ Parsing at 5201: 'kind of research and data needed to answer one's research questions and hypotheses.'

🔍 parse_program: starting at line 5201: 'kind of research and data needed to answer one's research questions and hypotheses.'
  ➜ Title candidate: 'kind of research and data needed to answer one's research questions and hypotheses.'
  ❌ Invalid title line: 'kind of research and data needed to answer one's research questions and hypotheses.'
  ➜ Parsing at 5202: 'C226 - Research Design and Analysis - The Research Design and Analysis course focuses on applying strategies for effective design of empirical'

🔍 parse_program: starting at line 5202: 'C226 - Research Design and Analysis - The Research Design and Analysis course focuses on applying strategies for effective design of empirical'
  ➜ Title candidate: 'C226 - Research Design and Analysis - The Research Design and Analysis course focuses on applying strategies for effective design of empirical'
  ❌ Invalid title line: 'C226 - Research Design and Analysis - The Research Design and Analysis course focuses on applying strategies for effective design of empirical'
  ➜ Parsing at 5203: 'research studies. Particular emphasis is placed on selecting or constructing the design that will provide the most valid results, analyzing the kind of'

🔍 parse_program: starting at line 5203: 'research studies. Particular emphasis is placed on selecting or constructing the design that will provide the most valid results, analyzing the kind of'
  ➜ Title candidate: 'research studies. Particular emphasis is placed on selecting or constructing the design that will provide the most valid results, analyzing the kind of'
  ❌ Invalid title line: 'research studies. Particular emphasis is placed on selecting or constructing the design that will provide the most valid results, analyzing the kind of'
  ➜ Parsing at 5204: 'data that would be obtained, and making defensible interpretations and drawing appropriate conclusions based on the data.'

🔍 parse_program: starting at line 5204: 'data that would be obtained, and making defensible interpretations and drawing appropriate conclusions based on the data.'
  ➜ Title candidate: 'data that would be obtained, and making defensible interpretations and drawing appropriate conclusions based on the data.'
  ❌ Invalid title line: 'data that would be obtained, and making defensible interpretations and drawing appropriate conclusions based on the data.'
  ➜ Parsing at 5205: 'C227 - Research Proposals - Research Proposals focuses on planning and writing a well-organized and complete research proposal. The'

🔍 parse_program: starting at line 5205: 'C227 - Research Proposals - Research Proposals focuses on planning and writing a well-organized and complete research proposal. The'
  ➜ Title candidate: 'C227 - Research Proposals - Research Proposals focuses on planning and writing a well-organized and complete research proposal. The'
  ❌ Invalid title line: 'C227 - Research Proposals - Research Proposals focuses on planning and writing a well-organized and complete research proposal. The'
  ➜ Parsing at 5206: 'relationship of the sections in a research proposal to the sections in a research report will be highlighted.'

🔍 parse_program: starting at line 5206: 'relationship of the sections in a research proposal to the sections in a research report will be highlighted.'
  ➜ Title candidate: 'relationship of the sections in a research proposal to the sections in a research report will be highlighted.'
  ❌ Invalid title line: 'relationship of the sections in a research proposal to the sections in a research report will be highlighted.'
  ➜ Parsing at 5207: 'C228 - Community Health and Population-Focused Nursing - Community Health and Population-Focused Nursing will assist students in becoming'

🔍 parse_program: starting at line 5207: 'C228 - Community Health and Population-Focused Nursing - Community Health and Population-Focused Nursing will assist students in becoming'
  ➜ Title candidate: 'C228 - Community Health and Population-Focused Nursing - Community Health and Population-Focused Nursing will assist students in becoming'
  ❌ Invalid title line: 'C228 - Community Health and Population-Focused Nursing - Community Health and Population-Focused Nursing will assist students in becoming'
  ➜ Parsing at 5208: 'familiar with foundational theories and models of health promotion applicable to the community health nursing environment. Students will develop an'

🔍 parse_program: starting at line 5208: 'familiar with foundational theories and models of health promotion applicable to the community health nursing environment. Students will develop an'
  ➜ Title candidate: 'familiar with foundational theories and models of health promotion applicable to the community health nursing environment. Students will develop an'
  ❌ Invalid title line: 'familiar with foundational theories and models of health promotion applicable to the community health nursing environment. Students will develop an'
  ➜ Parsing at 5209: 'understanding of how policies and resources influence the health of populations. Focus is concentrated on learning the importance of a community'

🔍 parse_program: starting at line 5209: 'understanding of how policies and resources influence the health of populations. Focus is concentrated on learning the importance of a community'
  ➜ Title candidate: 'understanding of how policies and resources influence the health of populations. Focus is concentrated on learning the importance of a community'
  ❌ Invalid title line: 'understanding of how policies and resources influence the health of populations. Focus is concentrated on learning the importance of a community'
  ➜ Parsing at 5210: 'assessment to improve or resolve a community health issue. Students will be introduced to the relationships between cultures and communities and'

🔍 parse_program: starting at line 5210: 'assessment to improve or resolve a community health issue. Students will be introduced to the relationships between cultures and communities and'
  ➜ Title candidate: 'assessment to improve or resolve a community health issue. Students will be introduced to the relationships between cultures and communities and'
  ❌ Invalid title line: 'assessment to improve or resolve a community health issue. Students will be introduced to the relationships between cultures and communities and'
  ➜ Parsing at 5211: 'the steps necessary to create community collaboration with the goal to improve or resolve community health issues in a variety of settings. Students'

🔍 parse_program: starting at line 5211: 'the steps necessary to create community collaboration with the goal to improve or resolve community health issues in a variety of settings. Students'
  ➜ Title candidate: 'the steps necessary to create community collaboration with the goal to improve or resolve community health issues in a variety of settings. Students'
  ❌ Invalid title line: 'the steps necessary to create community collaboration with the goal to improve or resolve community health issues in a variety of settings. Students'
  ➜ Parsing at 5212: 'will gain a greater understanding of health systems in the United States, global health issues, quality-of-life issues, cultural influences, community'

🔍 parse_program: starting at line 5212: 'will gain a greater understanding of health systems in the United States, global health issues, quality-of-life issues, cultural influences, community'
  ➜ Title candidate: 'will gain a greater understanding of health systems in the United States, global health issues, quality-of-life issues, cultural influences, community'
  ❌ Invalid title line: 'will gain a greater understanding of health systems in the United States, global health issues, quality-of-life issues, cultural influences, community'
  ➜ Parsing at 5213: 'collaboration, and emergency preparedness.'

🔍 parse_program: starting at line 5213: 'collaboration, and emergency preparedness.'
  ➜ Title candidate: 'collaboration, and emergency preparedness.'
  ❌ Invalid title line: 'collaboration, and emergency preparedness.'
  ➜ Parsing at 5214: 'C229 - Community Health and Population-Focused Nursing Field Experience - Community Health and Population-Focused Nursing, Field'

🔍 parse_program: starting at line 5214: 'C229 - Community Health and Population-Focused Nursing Field Experience - Community Health and Population-Focused Nursing, Field'
  ➜ Title candidate: 'C229 - Community Health and Population-Focused Nursing Field Experience - Community Health and Population-Focused Nursing, Field'
  ❌ Invalid title line: 'C229 - Community Health and Population-Focused Nursing Field Experience - Community Health and Population-Focused Nursing, Field'
  ➜ Parsing at 5215: 'Experience will introduce and familiarize students with clinical aspects of health promotion and disease prevention in the community health nursing'

🔍 parse_program: starting at line 5215: 'Experience will introduce and familiarize students with clinical aspects of health promotion and disease prevention in the community health nursing'
  ➜ Title candidate: 'Experience will introduce and familiarize students with clinical aspects of health promotion and disease prevention in the community health nursing'
  ❌ Invalid title line: 'Experience will introduce and familiarize students with clinical aspects of health promotion and disease prevention in the community health nursing'
  ➜ Parsing at 5216: 'environment. Students will practice skills based on clinical priorities, methodology, and resources that positively influence the health of populations by'

🔍 parse_program: starting at line 5216: 'environment. Students will practice skills based on clinical priorities, methodology, and resources that positively influence the health of populations by'
  ➜ Title candidate: 'environment. Students will practice skills based on clinical priorities, methodology, and resources that positively influence the health of populations by'
  ❌ Invalid title line: 'environment. Students will practice skills based on clinical priorities, methodology, and resources that positively influence the health of populations by'
  ➜ Parsing at 5217: 'assessing a primary prevention topic in the community. Students will demonstrate critical thinking skills by applying principals of community health'

🔍 parse_program: starting at line 5217: 'assessing a primary prevention topic in the community. Students will demonstrate critical thinking skills by applying principals of community health'
  ➜ Title candidate: 'assessing a primary prevention topic in the community. Students will demonstrate critical thinking skills by applying principals of community health'
  ❌ Invalid title line: 'assessing a primary prevention topic in the community. Students will demonstrate critical thinking skills by applying principals of community health'
  ➜ Parsing at 5218: 'nursing in a variety of community settings aligning with the selected primary prevention topic. As part of this process, students will be required to'

🔍 parse_program: starting at line 5218: 'nursing in a variety of community settings aligning with the selected primary prevention topic. As part of this process, students will be required to'
  ➜ Title candidate: 'nursing in a variety of community settings aligning with the selected primary prevention topic. As part of this process, students will be required to'
  ❌ Invalid title line: 'nursing in a variety of community settings aligning with the selected primary prevention topic. As part of this process, students will be required to'
  ➜ Parsing at 5219: 'complete a minimum of 90 practice hours in order to meet the requirements of the course. Practice hours include direct and indirect hours of activity'

🔍 parse_program: starting at line 5219: 'complete a minimum of 90 practice hours in order to meet the requirements of the course. Practice hours include direct and indirect hours of activity'
  ➜ Title candidate: 'complete a minimum of 90 practice hours in order to meet the requirements of the course. Practice hours include direct and indirect hours of activity'
  ❌ Invalid title line: 'complete a minimum of 90 practice hours in order to meet the requirements of the course. Practice hours include direct and indirect hours of activity'
  ➜ Parsing at 5220: 'engaged with the community or population chosen as your focus. Students will describe the completed Field Experience in a written assessment that'

🔍 parse_program: starting at line 5220: 'engaged with the community or population chosen as your focus. Students will describe the completed Field Experience in a written assessment that'
  ➜ Title candidate: 'engaged with the community or population chosen as your focus. Students will describe the completed Field Experience in a written assessment that'
  ❌ Invalid title line: 'engaged with the community or population chosen as your focus. Students will describe the completed Field Experience in a written assessment that'
  ➜ Parsing at 5221: 'will also outline recommendations to improve the community health concern using the nursing process. Students will develop and recommend health'

🔍 parse_program: starting at line 5221: 'will also outline recommendations to improve the community health concern using the nursing process. Students will develop and recommend health'
  ➜ Title candidate: 'will also outline recommendations to improve the community health concern using the nursing process. Students will develop and recommend health'
  ❌ Invalid title line: 'will also outline recommendations to improve the community health concern using the nursing process. Students will develop and recommend health'
  ➜ Parsing at 5222: 'promotion and disease prevention strategies for population groups.'

🔍 parse_program: starting at line 5222: 'promotion and disease prevention strategies for population groups.'
  ➜ Title candidate: 'promotion and disease prevention strategies for population groups.'
  ❌ Invalid title line: 'promotion and disease prevention strategies for population groups.'
  ➜ Parsing at 5223: 'C230 - Community Health and Population-Focused Nursing Clinical - This course will assist students to become familiar with clinical aspects of'

🔍 parse_program: starting at line 5223: 'C230 - Community Health and Population-Focused Nursing Clinical - This course will assist students to become familiar with clinical aspects of'
  ➜ Title candidate: 'C230 - Community Health and Population-Focused Nursing Clinical - This course will assist students to become familiar with clinical aspects of'
  ❌ Invalid title line: 'C230 - Community Health and Population-Focused Nursing Clinical - This course will assist students to become familiar with clinical aspects of'
  ➜ Parsing at 5224: 'health promotion and disease prevention, applicable to the community health nursing environment. Students will practice skills based on clinical'

🔍 parse_program: starting at line 5224: 'health promotion and disease prevention, applicable to the community health nursing environment. Students will practice skills based on clinical'
  ➜ Title candidate: 'health promotion and disease prevention, applicable to the community health nursing environment. Students will practice skills based on clinical'
  ❌ Invalid title line: 'health promotion and disease prevention, applicable to the community health nursing environment. Students will practice skills based on clinical'
  ➜ Parsing at 5225: 'priorities, methodology, and resources that positively influence the health of populations. Students will demonstrate critical thinking skills by applying'

🔍 parse_program: starting at line 5225: 'priorities, methodology, and resources that positively influence the health of populations. Students will demonstrate critical thinking skills by applying'
  ➜ Title candidate: 'priorities, methodology, and resources that positively influence the health of populations. Students will demonstrate critical thinking skills by applying'
  ❌ Invalid title line: 'priorities, methodology, and resources that positively influence the health of populations. Students will demonstrate critical thinking skills by applying'
  ➜ Parsing at 5226: 'principals of community health nursing in a varity of settings. Students will design, implement and evaluate a project in community health. Students'

🔍 parse_program: starting at line 5226: 'principals of community health nursing in a varity of settings. Students will design, implement and evaluate a project in community health. Students'
  ➜ Title candidate: 'principals of community health nursing in a varity of settings. Students will design, implement and evaluate a project in community health. Students'
  ❌ Invalid title line: 'principals of community health nursing in a varity of settings. Students will design, implement and evaluate a project in community health. Students'
  ➜ Parsing at 5227: 'will develop health promotion and disease prevention strategies for population groups.'

🔍 parse_program: starting at line 5227: 'will develop health promotion and disease prevention strategies for population groups.'
  ➜ Title candidate: 'will develop health promotion and disease prevention strategies for population groups.'
  ❌ Invalid title line: 'will develop health promotion and disease prevention strategies for population groups.'
  ➜ Parsing at 5228: 'C232 - Introduction to Human Resource Management - The course provides an introduction to the management of human resources, the function'

🔍 parse_program: starting at line 5228: 'C232 - Introduction to Human Resource Management - The course provides an introduction to the management of human resources, the function'
  ➜ Title candidate: 'C232 - Introduction to Human Resource Management - The course provides an introduction to the management of human resources, the function'
  ❌ Invalid title line: 'C232 - Introduction to Human Resource Management - The course provides an introduction to the management of human resources, the function'
  ➜ Parsing at 5229: 'within an organization that focuses on recruitment, management, and direction for the people who work in the organization. Students will be introduced'

🔍 parse_program: starting at line 5229: 'within an organization that focuses on recruitment, management, and direction for the people who work in the organization. Students will be introduced'
  ➜ Title candidate: 'within an organization that focuses on recruitment, management, and direction for the people who work in the organization. Students will be introduced'
  ❌ Invalid title line: 'within an organization that focuses on recruitment, management, and direction for the people who work in the organization. Students will be introduced'
  ➜ Parsing at 5230: 'to HR topics such as strategic workforce planning and employment; compensation and benefits; training and development; employee and labor'

🔍 parse_program: starting at line 5230: 'to HR topics such as strategic workforce planning and employment; compensation and benefits; training and development; employee and labor'
  ➜ Title candidate: 'to HR topics such as strategic workforce planning and employment; compensation and benefits; training and development; employee and labor'
  ❌ Invalid title line: 'to HR topics such as strategic workforce planning and employment; compensation and benefits; training and development; employee and labor'
  ➜ Parsing at 5231: 'relations; occupational health, safety and security.'

🔍 parse_program: starting at line 5231: 'relations; occupational health, safety and security.'
  ➜ Title candidate: 'relations; occupational health, safety and security.'
  ❌ Invalid title line: 'relations; occupational health, safety and security.'
  ➜ Parsing at 5232: 'C233 - Employment Law - This course reviews the legal and regulatory framework surrounding employment, including recruitment, termination, and'

🔍 parse_program: starting at line 5232: 'C233 - Employment Law - This course reviews the legal and regulatory framework surrounding employment, including recruitment, termination, and'
  ➜ Title candidate: 'C233 - Employment Law - This course reviews the legal and regulatory framework surrounding employment, including recruitment, termination, and'
  ❌ Invalid title line: 'C233 - Employment Law - This course reviews the legal and regulatory framework surrounding employment, including recruitment, termination, and'
  ➜ Parsing at 5233: 'discrimination law. The course topics include employment-at-will, EEO, ADA, OSHA, and other laws affecting the workplace. Students will learn to'

🔍 parse_program: starting at line 5233: 'discrimination law. The course topics include employment-at-will, EEO, ADA, OSHA, and other laws affecting the workplace. Students will learn to'
  ➜ Title candidate: 'discrimination law. The course topics include employment-at-will, EEO, ADA, OSHA, and other laws affecting the workplace. Students will learn to'
  ❌ Invalid title line: 'discrimination law. The course topics include employment-at-will, EEO, ADA, OSHA, and other laws affecting the workplace. Students will learn to'
  ➜ Parsing at 5234: 'analyze current trends and issues in employment law and apply this knowledge to effectively manage risk in the employment relationship.'

🔍 parse_program: starting at line 5234: 'analyze current trends and issues in employment law and apply this knowledge to effectively manage risk in the employment relationship.'
  ➜ Title candidate: 'analyze current trends and issues in employment law and apply this knowledge to effectively manage risk in the employment relationship.'
  ❌ Invalid title line: 'analyze current trends and issues in employment law and apply this knowledge to effectively manage risk in the employment relationship.'
  ➜ Parsing at 5235: 'C234 - Workforce Planning: Recruitment and Selection - This course focuses on building a highly skilled workforce by using effective strategies'

🔍 parse_program: starting at line 5235: 'C234 - Workforce Planning: Recruitment and Selection - This course focuses on building a highly skilled workforce by using effective strategies'
  ➜ Title candidate: 'C234 - Workforce Planning: Recruitment and Selection - This course focuses on building a highly skilled workforce by using effective strategies'
  ❌ Invalid title line: 'C234 - Workforce Planning: Recruitment and Selection - This course focuses on building a highly skilled workforce by using effective strategies'
  ➜ Parsing at 5236: 'and tactics for recruiting, selecting, hiring, and retaining employees.'

🔍 parse_program: starting at line 5236: 'and tactics for recruiting, selecting, hiring, and retaining employees.'
  ➜ Title candidate: 'and tactics for recruiting, selecting, hiring, and retaining employees.'
  ❌ Invalid title line: 'and tactics for recruiting, selecting, hiring, and retaining employees.'
  ➜ Parsing at 5237: 'C235 - Training and Development - This course focuses on the development of human capital (i.e., growing talent) by applying effective learning'

🔍 parse_program: starting at line 5237: 'C235 - Training and Development - This course focuses on the development of human capital (i.e., growing talent) by applying effective learning'
  ➜ Title candidate: 'C235 - Training and Development - This course focuses on the development of human capital (i.e., growing talent) by applying effective learning'
  ❌ Invalid title line: 'C235 - Training and Development - This course focuses on the development of human capital (i.e., growing talent) by applying effective learning'
  ➜ Parsing at 5238: 'theories and practices for training and developing employees. Throughout this course, you will develop essential skills for improving and empowering'

🔍 parse_program: starting at line 5238: 'theories and practices for training and developing employees. Throughout this course, you will develop essential skills for improving and empowering'
  ➜ Title candidate: 'theories and practices for training and developing employees. Throughout this course, you will develop essential skills for improving and empowering'
  ❌ Invalid title line: 'theories and practices for training and developing employees. Throughout this course, you will develop essential skills for improving and empowering'
  ➜ Parsing at 5239: 'organizations through high-caliber training and development processes.'

🔍 parse_program: starting at line 5239: 'organizations through high-caliber training and development processes.'
  ➜ Title candidate: 'organizations through high-caliber training and development processes.'
  ❌ Invalid title line: 'organizations through high-caliber training and development processes.'
  ➜ Parsing at 5240: 'C236 - Compensation and Benefits - This course develops competence in understanding, designing, and implementing compensation and benefit'

🔍 parse_program: starting at line 5240: 'C236 - Compensation and Benefits - This course develops competence in understanding, designing, and implementing compensation and benefit'
  ➜ Title candidate: 'C236 - Compensation and Benefits - This course develops competence in understanding, designing, and implementing compensation and benefit'
  ❌ Invalid title line: 'C236 - Compensation and Benefits - This course develops competence in understanding, designing, and implementing compensation and benefit'
  ➜ Parsing at 5241: 'systems in an organization. It uses a Total Rewards perspective to integrate the tangible rewards (e.g., salary, bonuses, etc.) with employee benefits'

🔍 parse_program: starting at line 5241: 'systems in an organization. It uses a Total Rewards perspective to integrate the tangible rewards (e.g., salary, bonuses, etc.) with employee benefits'
  ➜ Title candidate: 'systems in an organization. It uses a Total Rewards perspective to integrate the tangible rewards (e.g., salary, bonuses, etc.) with employee benefits'
  ❌ Invalid title line: 'systems in an organization. It uses a Total Rewards perspective to integrate the tangible rewards (e.g., salary, bonuses, etc.) with employee benefits'
  ➜ Parsing at 5242: '(e.g., health insurance, retirement plan, etc.) and intangible rewards (e.g., location, work environment, etc.) so that students can use all forms of'

🔍 parse_program: starting at line 5242: '(e.g., health insurance, retirement plan, etc.) and intangible rewards (e.g., location, work environment, etc.) so that students can use all forms of'
  ➜ Title candidate: '(e.g., health insurance, retirement plan, etc.) and intangible rewards (e.g., location, work environment, etc.) so that students can use all forms of'
  ❌ Invalid title line: '(e.g., health insurance, retirement plan, etc.) and intangible rewards (e.g., location, work environment, etc.) so that students can use all forms of'
  ➜ Parsing at 5243: 'rewards fairly and effectively to enable job satisfaction and organizational performance.'

🔍 parse_program: starting at line 5243: 'rewards fairly and effectively to enable job satisfaction and organizational performance.'
  ➜ Title candidate: 'rewards fairly and effectively to enable job satisfaction and organizational performance.'
  ❌ Invalid title line: 'rewards fairly and effectively to enable job satisfaction and organizational performance.'
  ➜ Parsing at 5244: 'C237 - Taxation I - This course focuses on the taxation of individuals. It provides an overview of income taxes of both individuals and business'

🔍 parse_program: starting at line 5244: 'C237 - Taxation I - This course focuses on the taxation of individuals. It provides an overview of income taxes of both individuals and business'
  ➜ Title candidate: 'C237 - Taxation I - This course focuses on the taxation of individuals. It provides an overview of income taxes of both individuals and business'
  ❌ Invalid title line: 'C237 - Taxation I - This course focuses on the taxation of individuals. It provides an overview of income taxes of both individuals and business'
  ➜ Parsing at 5245: 'entities in order to enhance awareness of the complexities and sources of tax law and to measure and analyze the effect of various tax options. The'

🔍 parse_program: starting at line 5245: 'entities in order to enhance awareness of the complexities and sources of tax law and to measure and analyze the effect of various tax options. The'
  ➜ Title candidate: 'entities in order to enhance awareness of the complexities and sources of tax law and to measure and analyze the effect of various tax options. The'
  ❌ Invalid title line: 'entities in order to enhance awareness of the complexities and sources of tax law and to measure and analyze the effect of various tax options. The'
  ➜ Parsing at 5246: 'course will introduce taxation of sole proprietorships. Students will learn principles of individual taxation and how to develop effective personal tax'

🔍 parse_program: starting at line 5246: 'course will introduce taxation of sole proprietorships. Students will learn principles of individual taxation and how to develop effective personal tax'
  ➜ Title candidate: 'course will introduce taxation of sole proprietorships. Students will learn principles of individual taxation and how to develop effective personal tax'
  ❌ Invalid title line: 'course will introduce taxation of sole proprietorships. Students will learn principles of individual taxation and how to develop effective personal tax'
  ➜ Parsing at 5247: 'strategies for individuals. Students will also be introduced to tax research of complex taxation issues.'

🔍 parse_program: starting at line 5247: 'strategies for individuals. Students will also be introduced to tax research of complex taxation issues.'
  ➜ Title candidate: 'strategies for individuals. Students will also be introduced to tax research of complex taxation issues.'
  ❌ Invalid title line: 'strategies for individuals. Students will also be introduced to tax research of complex taxation issues.'
  ➜ Parsing at 5248: 'C238 - Taxation II - Welcome to Taxation II! This course focuses on the taxation of business entities, including corporations, partnerships, and LLCs.'

🔍 parse_program: starting at line 5248: 'C238 - Taxation II - Welcome to Taxation II! This course focuses on the taxation of business entities, including corporations, partnerships, and LLCs.'
  ➜ Title candidate: 'C238 - Taxation II - Welcome to Taxation II! This course focuses on the taxation of business entities, including corporations, partnerships, and LLCs.'
  ❌ Invalid title line: 'C238 - Taxation II - Welcome to Taxation II! This course focuses on the taxation of business entities, including corporations, partnerships, and LLCs.'
  ➜ Parsing at 5249: 'Important taxation concepts and skills discussed in this course include tax reporting, planning, and research skills applicable to a variety of business'

🔍 parse_program: starting at line 5249: 'Important taxation concepts and skills discussed in this course include tax reporting, planning, and research skills applicable to a variety of business'
  ➜ Title candidate: 'Important taxation concepts and skills discussed in this course include tax reporting, planning, and research skills applicable to a variety of business'
  ❌ Invalid title line: 'Important taxation concepts and skills discussed in this course include tax reporting, planning, and research skills applicable to a variety of business'
  ➜ Parsing at 5250: 'contexts. The activities you will complete for this course emphasize the role of taxes in business decisions and business strategy.'

🔍 parse_program: starting at line 5250: 'contexts. The activities you will complete for this course emphasize the role of taxes in business decisions and business strategy.'
  ➜ Title candidate: 'contexts. The activities you will complete for this course emphasize the role of taxes in business decisions and business strategy.'
  ❌ Invalid title line: 'contexts. The activities you will complete for this course emphasize the role of taxes in business decisions and business strategy.'
  ➜ Parsing at 5251: '© Western Governors University 7/19/17 151'

🔍 parse_program: starting at line 5251: '© Western Governors University 7/19/17 151'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'C239 - Advanced Tax Concepts - This course is designed to enhance your awareness of the complexities and sources of tax law and to measure'
  ➜ Skipping stray line: 'and analyze the effect of various tax options. This course provides an overview of income taxes on individuals, corporations, associations,'
  ➜ Skipping stray line: 'reorganizations, and corporate distributions. This course emphasizes the role of taxes in business decisions and business strategy.'
  ➜ Skipping stray line: 'C240 - Auditing - This course will walk you through the auditing process, including planning, conducting, documenting, and reporting an audit. You'
  ➜ Skipping stray line: 'will also learn the roles and professional standards of public accountants. This course is designed to help you study for the CPA exam and develop'
  ➜ Skipping stray line: 'essential skills for real-world experience.'
  ➜ Skipping stray line: 'C241 - Business Law for Accountants - Welcome to Business Law for Accountants! While you may have had exposure to other law or even'
  ➜ Skipping stray line: 'business law courses, this course focuses on those areas of the law that traditionally impact accounting-related and business transaction-related'
  ➜ Skipping stray line: 'decision functions. The course represents the legal and accounting concepts governing the conduct of business in the United States. It will cover laws'
  ➜ Skipping stray line: 'and regulations relevant to business operations.'
  ➜ Skipping stray line: 'C242 - Accounting Information Systems - Welcome to Accounting Information Systems! This course introduces a variety of accounting information'
  ➜ Skipping stray line: 'systems and internal controls necessary for effective systems. Students will learn how to document and evaluate the process flows of accounting'
  ➜ Skipping stray line: 'information systems, evaluate internal controls within accounting systems, and use QuickBooks Online.'
  ➜ Skipping stray line: 'C243 - Advanced Financial Accounting - This course builds upon your accounting knowledge by focusing on advanced financial accounting topics'
  ➜ Skipping stray line: 'such as consolidations, partnership accounting, and international accounting.'
  ➜ Skipping stray line: 'C244 - Advanced Auditing - This course introduces the basic concepts, standards, procedures, and practices of auditing, the changing role of the'
  ➜ Skipping stray line: 'independent auditor, professional conduct and ethics, auditor's reporting responsibilities, risk assessment, internal control, evidential matter, and'
  ➜ Skipping stray line: 'management fraud. This course is designed to help you examine how the role of internal and external auditing can best be performed through'
  ➜ Skipping stray line: 'studying cases of audit activities.'
  ➜ Skipping stray line: 'C245 - Accounting Research - The Accounting Research course is an upper level course that builds research application skills through identification'
  ➜ Skipping stray line: 'of accounting issues and researching concepts related to public accounting firms, businesses, and regulating authorities. This course helps students'
  ➜ Skipping stray line: 'develop analytical and research capabilities and apply the technical knowledge of accounting theory and principles to solve complex accounting'
  ➜ Skipping stray line: 'problems.'
  ➜ Skipping stray line: 'C246 - Fundamentals of Interconnecting Network Devices - This course prepares students for the Cisco CCENT certification exam,'
  ➜ Skipping stray line: 'Interconnecting Cisco Networking Devices Part I (ICND1). This is also the first of two exams that lead to Cisco Certified Networking Associate (CCNA)'
  ➜ Skipping stray line: 'certification.'
  ➜ Skipping stray line: 'C247 - Interconnecting Network Devices - This course prepares students for the second Cisco CCNA certification exam, Interconnecting Cisco'
  ➜ Skipping stray line: 'Networking Devices Part 2 (ICND2).'
  ➜ Skipping stray line: 'C248 - Intermediate Accounting I - This is the first of two courses encompassing more advanced accounting concepts. It will offer a more'
  ➜ Skipping stray line: 'comprehensive treatment of concepts learned in previous accounting courses. It will cover accounting standards, the conceptual accounting'
  ➜ Skipping stray line: 'framework, preparation of selected financial statements, time value of money, receivables, fixed assets, intangible assets, and both long- and short-'
  ➜ Skipping stray line: 'term liabilities.'
  ➜ Skipping stray line: 'C249 - Intermediate Accounting II - This is the second of two intermediate accounting courses. This course provides a more comprehensive'
  ➜ Skipping stray line: 'treatment of concepts learned in Fundamentals of Accounting. This course will cover stockholders’ equity, dilutive securities, investments, revenue'
  ➜ Skipping stray line: 'recognition, accounting for income taxes, pensions and post-retirement benefits, leases, financial disclosures, and the preparation of the statement of'
  ➜ Skipping stray line: 'cash flows.'
  ➜ Skipping stray line: 'C250 - Cost and Managerial Accounting - The Cost and Managerial Accounting course will cover managerial accounting as part of the information'
  ➜ Skipping stray line: 'managers’ use for planning and controlling operations. It prepares students to consider cost behavior and employ various cost methods. Job-order'
  ➜ Skipping stray line: 'costing, process costing, and activity-based costing methods will be covered, along with cost-benefit analysis, standard costing, variance analysis, and'
  ➜ Skipping stray line: 'cost reporting.'
  ➜ Skipping stray line: 'C251 - Accounting Capstone - This course is the culminating assessment of the accounting curriculum and requires students to synthesize core'
  ➜ Skipping stray line: 'knowledge from across the degree program and apply accounting skills to benefit an organization. Students will be asked to work with case studies to'
  ➜ Skipping stray line: 'address an accounting challenge.'
  ➜ Skipping stray line: 'C252 - Governmental and Nonprofit Accounting - This course is designed to be an introduction to the theory and practice of accounting in'
  ➜ Skipping stray line: 'governmental and nonprofit entities. The course includes a thorough examination of the process of analyzing and recording transactions by'
  ➜ Skipping stray line: 'governmental and nonprofit organization and their preparation of financial statements in accordance with Financial Accounting Board (FASB) and'
  ➜ Skipping stray line: 'Governmental Accounting Standards Board (GASB) standards. This course includes accounting for governmental and nonprofit entities (local, state,'
  ➜ Skipping stray line: 'and federal) and voluntary organizations.'
  ➜ Skipping stray line: 'C253 - Advanced Managerial Accounting - This course introduces the complexity and functionality of managerial accounting systems within an'
  ➜ Skipping stray line: 'organization. It covers the topics of product costing (including Activity Based Costing), decision making (including capital budgeting), profitability'
  ➜ Skipping stray line: 'analysis, budgeting, performance evaluation, and reporting related to managerial decision-making. This course provides the opportunity for a detailed'
  ➜ Skipping stray line: 'study of how managerial accounting information supports the operational and strategic needs of an organization and how managers use accounting'
  ➜ Skipping stray line: 'information for decision-making, planning and controlling activities within organizations.'
  ➜ Skipping stray line: 'C254 - Fraud and Forensic Accounting - This course provides a framework for detecting and preventing financial statement fraud. Topics include'
  ➜ Skipping stray line: 'the profession’s focus and legislation of fraud, revenue- and inventory-related fraud, and liability, asset, and inadequate disclosure fraud.'
  ➜ Skipping stray line: 'C255 - Introduction to Geography - This course will discuss geographic concepts, places and regions, physical and human systems and the'
  ➜ Skipping stray line: 'environment.'
  ➜ Skipping stray line: 'C263 - The Ocean Systems - In this course, learners investigate the complex ocean system by looking at the way its components—atmosphere,'
  ➜ Skipping stray line: 'biosphere, geosphere, hydrosphere—interact. Specific topics include: origins of Earth’s oceans and the early history of life; physical characteristics'
  ➜ Skipping stray line: 'and geologic processes of the ocean floor; chemistry of the water molecule; energy flow between air and water, and how ocean surface currents and'
  ➜ Skipping stray line: 'deep circulation patterns affect weather and climate; marine biology and why ecosystems are an integral part of the ocean system; the effects of'
  ➜ Skipping stray line: 'human activity; and the role of professional educators in teaching about ocean systems.'
  ➜ Skipping stray line: 'C264 - Climate Change - This course explores the science of climate change. Students will learn how the climate system works; what factors cause'
  ➜ Skipping stray line: 'climate to change across different time scales and how those factors interact; how climate has changed in the past; how scientists use models,'
  ➜ Skipping stray line: 'observations and theory to make predictions about future climate; and the possible consequences of climate change for our planet. The course'
  ➜ Skipping stray line: 'explores evidence for changes in ocean temperature, sea level and acidity due to global warming. Students will learn how climate change today is'
  ➜ Skipping stray line: 'different from past climate cycles and how satellites and other technologies are revealing the global signals of a changing climate. Finally, the course'
  ➜ Skipping stray line: 'looks at the connection between human activity and the current warming trend and considers some of the potential social, economic and'
  ➜ Skipping stray line: 'environmental consequences of climate change.'
  ➜ Skipping stray line: 'C266 - The Ocean Systems - In this course, learners investigate the complex ocean system by looking at the way its components—atmosphere,'
  ➜ Skipping stray line: 'biosphere, geosphere, hydrosphere—interact. Specific topics include: origins of Earth’s oceans and the early history of life; physical characteristics'
  ➜ Skipping stray line: 'and geologic processes of the ocean floor; chemistry of the water molecule; energy flow between air and water, and how ocean surface currents and'
  ➜ Skipping stray line: 'deep circulation patterns affect weather and climate; marine biology and why ecosystems are an integral part of the ocean system; the effects of'
  ➜ Skipping stray line: 'human activity; and the role of professional educators in teaching about ocean systems.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 152'
  ➜ Skipping stray line: 'C267 - Climate Change - This course explores the science of climate change. Students will learn how the climate system works; what factors cause'
  ➜ Skipping stray line: 'climate to change across different time scales and how those factors interact; how climate has changed in the past; how scientists use models,'
  ➜ Skipping stray line: 'observations and theory to make predictions about future climate; and the possible consequences of climate change for our planet. The course'
  ➜ Skipping stray line: 'explores evidence for changes in ocean temperature, sea level and acidity due to global warming. Students will learn how climate change today is'
  ➜ Skipping stray line: 'different from past climate cycles and how satellites and other technologies are revealing the global signals of a changing climate. Finally, the course'
  ➜ Skipping stray line: 'looks at the connection between human activity and the current warming trend and considers some of the potential social, economic and'
  ➜ Skipping stray line: 'environmental consequences of climate change.'
  ➜ Skipping stray line: 'C268 - Spreadsheets - The Spreadsheets course will help students become proficient in using spreadsheets to analyze business problems. Students'
  ➜ Skipping stray line: 'will demonstrate competency in spreadsheet development and analysis for business/accounting applications (e.g., using essential spreadsheet'
  ➜ Skipping stray line: 'functions, formulas, charts, etc.)'
  ➜ Skipping stray line: 'C269 - Children's Literature - This course is an introduction to and exploration of children’s literature. Students will consider and analyze children’s'
  ➜ Skipping stray line: 'literature as a lens through which to view the world. Students will experience multiple genres, historical perspectives, cultural representations and'
  ➜ Skipping stray line: 'current applications to the field of children’s literature.'
  ➜ Skipping stray line: 'C272 - Foundational Perspectives of Education - This course provides an introduction to the historical, legal, and philosophical foundations of'
  ➜ Skipping stray line: 'education. Current educational trends, reform movements, major federal and state laws, legal and ethical responsibilities, and an overview of'
  ➜ Skipping stray line: 'standards-based curriculum are the focus of the course. The course of study presents a discussion of changes and challenges in contemporary'
  ➜ Skipping stray line: 'education. It covers the diversity found in American schools, introduces emerging educational technology trends, and provides an overview of'
  ➜ Skipping stray line: 'contemporary topics in education.'
  ➜ Skipping stray line: 'C273 - Introduction to Sociology - This course teaches students to think like sociologists, in other words, to see and understand the hidden rules, or'
  ➜ Skipping stray line: 'norms, by which people live, and how they free or restrain behavior. Students will learn about socializing institutions, such as schools and families, as'
  ➜ Skipping stray line: 'well as workplace organizations and governments. Participants will also learn how people deviate from the rules by challenging norms, and how such'
  ➜ Skipping stray line: 'behavior may result in social change, either on a large scale or within small groups.'
  ➜ Skipping stray line: 'C277 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ➜ Skipping stray line: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ➜ Skipping stray line: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ➜ Skipping stray line: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C278 - College Algebra - This course provides further application and analysis of algebraic concepts and functions through mathematical modeling of'
  ➜ Skipping stray line: 'real-world situations. Topics include: real numbers, algebraic expressions, equations and inequalities, graphs and functions, polynomial and rational'
  ➜ Skipping stray line: 'functions, exponential and logarithmic functions, and systems of linear equations.'
  ➜ Skipping stray line: 'C280 - Probability and Statistics I - Probability and Statistics I covers the knowledge and skills necessary to apply basic probability, descriptive'
  ➜ Skipping stray line: 'statistics, and statistical reasoning, and to use appropriate technology to model and solve real-life problems. It provides an introduction to the science'
  ➜ Skipping stray line: 'of collecting, processing, analyzing, and interpreting data. Topics include creating and interpreting numerical summaries and visual displays of data;'
  ➜ Skipping stray line: 'regression lines and correlation; evaluating sampling methods and their effect on possible conclusions; designing observational studies, controlled'
  ➜ Skipping stray line: 'experiments, and surveys; and determining probabilities using simulations, diagrams, and probability rules. College Algebra is a prerequisite for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'C281 - College Geometry - College Geometry covers the knowledge and skills necessary to apply geometry to model and solve real-life problems, to'
  ➜ Skipping stray line: 'do formal axiomatic proofs in geometry, and to use dynamic technology to explore geometry. Topics include axiomatic systems and analytic proof;'
  ➜ Skipping stray line: 'non-Euclidean geometries; construction, analytic, and synthetic methods for investigating and proving properties and relationships of two- and three-'
  ➜ Skipping stray line: 'dimensional objects; geometric transformations, tessellations, and using inductive reasoning; concrete models; and dynamic technology to conduct'
  ➜ Skipping stray line: 'geometric investigations. College Algebra and Pre-Calculus are prerequisites for this course.'
  ➜ Skipping stray line: 'C282 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to use'
  ➜ Skipping stray line: 'differential calculus of one variable and appropriate technology to solve basic problems. Topics include graphing functions and finding their domains'
  ➜ Skipping stray line: 'and ranges; limits, continuity, differentiability, visual, analytical, and conceptual approaches to the definition of the derivative; the power, chain, and'
  ➜ Skipping stray line: 'sum rules applied to polynomial and exponential functions, position and velocity; and L'Hopital's Rule. Candidates should have completed a course in'
  ➜ Skipping stray line: 'Pre-Calculus before engaging in this course.'
  ➜ Skipping stray line: 'C283 - Calculus II - Calculus II is the study of the accumulation of change in relation to the area under a curve. It covers the knowledge and skills'
  ➜ Skipping stray line: 'necessary to apply integral calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include'
  ➜ Skipping stray line: 'antiderivatives; indefinite integrals; the substitution rule; Riemann sums; the Fundamental Theorem of Calculus; definite integrals; acceleration,'
  ➜ Skipping stray line: 'velocity, position, and initial values; integration by parts; integration by trigonometric substitution; integration by partial fractions; numerical integration;'
  ➜ Skipping stray line: 'improper integration; area between curves; volumes and surface areas of revolution; arc length; work; center of mass; separable differential equations;'
  ➜ Skipping stray line: 'direction fields; growth and decay problems; and sequences. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C284 - Mathematics Learning and Teaching - Mathematics Learning and Teaching will help you develop the knowledge and skills necessary to'
  ➜ Skipping stray line: 'become a prospective and practicing educator. You will be able to use a variety of instructional strategies to effectively facilitate the learning of'
  ➜ Skipping stray line: 'mathematics. This course focuses on selecting appropriate resources, using multiple strategies, and instructional planning, with methods based on'
  ➜ Skipping stray line: 'research and problem solving. A deep understanding of the knowledge, skills, and disposition of mathematics pedagogy is necessary to become an'
  ➜ Skipping stray line: 'effective secondary mathematics educator. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C285 - Mathematics History and Technology - Mathematics History and Technology introduces a variety of technological tools for doing'
  ➜ Skipping stray line: 'mathematics, and you will develop a broad understanding of the historical development of mathematics. You will come to understand that'
  ➜ Skipping stray line: 'mathematics is a very human subject that comes from the macro-level sweep of cultural and societal change, as well as the micro-level actions of'
  ➜ Skipping stray line: 'individuals with personal, professional, and philosophical motivations. Most importantly, you will learn to evaluate and apply technological tools and'
  ➜ Skipping stray line: 'historical information to create an enriching student-centered mathematical learning environment. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C288 - General Chemistry I - Chemistry is the study of matter. Everything you see and many of the things you don’t see are made up of atoms. By'
  ➜ Skipping stray line: 'understanding these atoms and their interactions, chemists have been able to cure disease, travel to the moon, and feed a growing world. By'
  ➜ Skipping stray line: 'understanding chemistry, you will find your own world expanded. You will find boiling water interesting and the back of the shampoo bottle fascinating.'
  ➜ Skipping stray line: 'The National Science Teachers Association (NSTA) has published principles and standards that address important chemistry topics that should be'
  ➜ Skipping stray line: 'covered through the K-12 curriculum. Many states have followed the NSTA’s lead and are increasingly requiring that these concepts be taught to the'
  ➜ Skipping stray line: 'students throughout the course of their science education. A firm grasp of the concepts covered in this course will allow you to confidently teach this'
  ➜ Skipping stray line: 'material when you enter the classroom.'
  ➜ Skipping stray line: 'C289 - General Chemistry II - Chemistry is the study of matter. Everything you see and many of the things you don’t see are made up of atoms. By'
  ➜ Skipping stray line: 'understanding these atoms and their interactions. chemists have been able to cure disease, travel to the moon, and feed a growing world. By'
  ➜ Skipping stray line: 'understanding chemistry, you will find your own world expanded. You will find boiling water interesting and the back of the shampoo bottle'
  ➜ Skipping stray line: 'fascinating.The National Science Teachers Association (NSTA) has published principles and standards that address important chemistry topics that'
  ➜ Skipping stray line: 'should be covered through the K-12 curriculum. Many states have followed the NSTA’s lead and are increasingly requiring that these concepts be'
  ➜ Skipping stray line: 'taught to the students throughout the course of their science education. A firm grasp of the concepts covered in this course will allow you to'
  ➜ Skipping stray line: 'confidently teach this material when you enter the classroom.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 153'
  ➜ Skipping stray line: 'C299 - Designing Customized Security - The course provides an introduction to the core security concepts and skills needed for the installation,'
  ➜ Skipping stray line: 'monitoring, and troubleshooting of network security features to maintain the integrity, confidentiality, and availability of data and devices. Successfully'
  ➜ Skipping stray line: 'completing this course will certify these skills. You will also develop competency in the technologies that Cisco uses in its security infrastructure.'
  ➜ Skipping stray line: 'Recommended Experience: You should possess a current Cisco Certified Network Administrator in Routing and Switching certification. This course'
  ➜ Skipping stray line: 'prepares students for the following certification exam: Cisco CCNA Security.'
  ➜ Skipping stray line: 'C301 - Translational Research for Practice and Populations - This graduate-level course builds on your baccalaureate-level statistical knowledge'
  ➜ Skipping stray line: 'to help you develop skills in analyzing, interpreting, and translating research into nursing practice using principles of patient-centered care and'
  ➜ Skipping stray line: 'applications to individuals and populations'
  ➜ Skipping stray line: 'C304 - Professional Roles and Values - This course explores the unique role nurses play in healthcare, beginning with the history and evolution of'
  ➜ Skipping stray line: 'the nursing profession. The responsibilities and accountability of professional nurses are covered, including cultural competency, advocacy for patient'
  ➜ Skipping stray line: 'rights, and the legal and ethical issues related to supervision and delegation. Professional conduct, leadership, the public image of nursing, the work'
  ➜ Skipping stray line: 'environment, and issues of social justice are also addressed.'
  ➜ Skipping stray line: 'C306 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ➜ Skipping stray line: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ➜ Skipping stray line: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ➜ Skipping stray line: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C307 - Supervised Demonstration Teaching in Elementary Education, Observations 1 and 2 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C308 - Supervised Demonstration Teaching in Elementary Education, Observation 3 and Midterm - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C309 - Supervised Demonstration Teaching in Elementary Education, Observations 4 and 5 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C310 - Supervised Demonstration Teaching in Elementary Education, Observation 6 and Final - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C311 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 1 and 2 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C312 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 3 and Midterm - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C313 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 4 and 5 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C314 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 6 and Final - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C315 - Supervised Demonstration Teaching in Mathematics, Observations 1 and 2 - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C316 - Supervised Demonstration Teaching in Mathematics, Observation 3 and Midterm - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C317 - Supervised Demonstration Teaching in Mathematics, Observations 4 and 5 - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C318 - Supervised Demonstration Teaching in Mathematics, Observation 6 and Final - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C319 - Supervised Demonstration Teaching in Science, Observations 1 and 2 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C320 - Supervised Demonstration Teaching in Science, Observation 3 and Midterm - Supervised Demonstration Teaching in Science involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C321 - Supervised Demonstration Teaching in Science, Observations 4 and 5 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C322 - Supervised Demonstration Teaching in Science, Observation 6 and Final - Supervised Demonstration Teaching in Science involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C323 - Supervised Demonstration Teaching in Elementary Education, Observations 1 and 2 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C324 - Supervised Demonstration Teaching in Elementary Education, Observation 3 and Midterm - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C325 - Supervised Demonstration Teaching in Elementary Education, Observations 4 and 5 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 154'
  ➜ Skipping stray line: 'C326 - Supervised Demonstration Teaching in Elementary Education, Observation 6 and Final - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C327 - Supervised Demonstration Teaching in Mathematics, Observations 1 and 2 - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C328 - Supervised Demonstration Teaching in Mathematics, Observation 3 and Midterm - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C329 - Supervised Demonstration Teaching in Mathematics, Observations 4 and 5 - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C330 - Supervised Demonstration Teaching in Mathematics, Observation 6 and Final - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C331 - Supervised Demonstration Teaching in Science, Observations 1 and 2 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C332 - Supervised Demonstration Teaching in Science, Observation 3 and Midterm - Supervised Demonstration Teaching in Science involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C333 - Supervised Demonstration Teaching in Science, Observations 4 and 5 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C334 - Supervised Demonstration Teaching in Science, Observation 6 and Final - Supervised Demonstration Teaching in Science involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C339 - Cohort Seminar - Cohort Seminar provides mentoring and supports teacher candidates during their demonstration teaching period by'
  ➜ Skipping stray line: 'providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates their demonstration of competence in'
  ➜ Skipping stray line: 'becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom, exploring community resources, building'
  ➜ Skipping stray line: 'collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'
  ➜ Skipping stray line: 'C340 - Cohort Seminar in Special Education - Cohort Seminar in Special Education provides mentoring and supports teacher candidates during'
  ➜ Skipping stray line: 'their demonstration teaching period by providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates'
  ➜ Skipping stray line: 'their demonstration of competence in becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom,'
  ➜ Skipping stray line: 'exploring community resources, building collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'
  ➜ Skipping stray line: 'C341 - Cohort Seminar - Cohort Seminar provides mentoring and supports teacher candidates during their demonstration teaching period by'
  ➜ Skipping stray line: 'providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates their demonstration of competence in'
  ➜ Skipping stray line: 'becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom, exploring community resources, building'
  ➜ Skipping stray line: 'collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'
  ➜ Skipping stray line: 'C347 - Professional Portfolio - You will create an online teaching portfolio that includes professional artifacts (e.g. resume and Philosophy of'
  ➜ Skipping stray line: 'Teaching Statement) that demonstrate the skills you have acquired throughout your Demonstration Teaching experience.'
  ➜ Skipping stray line: 'C348 - Professional Portfolio - You will create an online teaching portfolio that includes professional artifacts (e.g. resume and Philosophy of'
  ➜ Skipping stray line: 'Teaching Statement) that demonstrate the skills you have acquired throughout your Demonstration Teaching experience.'
  ➜ Skipping stray line: 'C349 - Health Assessment - The Health Assessment course is designed to enhance students’ knowledge and skills in health promotion, the early'
  ➜ Skipping stray line: 'detection of illness and prevention of disease. To that end the course provides relevant content and skills necessary to perform a comprehensive'
  ➜ Skipping stray line: 'physical assessment of patients throughout the lifespan. Students are engaged in these processes through interviewing, history taking and'
  ➜ Skipping stray line: 'demonstration of an advanced-level physical examination. Dominant models, theories and perspectives related to evidence-based wellness practices'
  ➜ Skipping stray line: 'and health education strategies also are included in this challenging course. Competency is measured through successful completion of two'
  ➜ Skipping stray line: 'performance tasks. It is recommended that students plan to complete C349 in four to six weeks.'
  ➜ Skipping stray line: 'C350 - Comprehensive Health Assessment for Patients and Populations - In this course, students will learn about the principles of health'
  ➜ Skipping stray line: 'assessment from the individual to the global level. Students will learn to perform a comprehensive functional health assessment that includes social'
  ➜ Skipping stray line: 'structures, family history, and environmental situations, from the individual patient to the population. This course builds on prior knowledge gained in'
  ➜ Skipping stray line: 'previous courses and in nursing practice, in areas such as pathophysiology, pharmacology, and epidemiology, and focus on applying this knowledge'
  ➜ Skipping stray line: 'in various populations with common disorders.'
  ➜ Skipping stray line: 'This course is roughly divided into three parts:'
  ➜ Skipping stray line: '• Advanced health assessment focusing on abnormal findings for common disease.'
  ➜ Skipping stray line: '• Integrating health assessment findings into a population, considering such issue as culture, spirituality, and continuum.'
  ➜ Skipping stray line: '• Functionality of clients based upon the problems and populations.'
  ➜ Skipping stray line: 'C351 - Professional Presence and Influence - Who we are and how we behave affects others. Our professional presence in therapeutic settings'
  ➜ Skipping stray line: 'can support or inhibit well-being not only in patients, but also in the rest of the health care team, in the family and support system of the patients, and'
  ➜ Skipping stray line: 'in the health care organization as a whole. This course will help registered nurses manage this impact by recognizing situations and practices that'
  ➜ Skipping stray line: 'support a positive environment and cultivating actions and responses to achieve and maintain this environment. The growth of self-knowledge will'
  ➜ Skipping stray line: 'expand nurses’ ability to direct influence in ways that are intended rather than in random or destructive ways.'
  ➜ Skipping stray line: 'C352 - Contemporary Pharmacotherapeutics - This course provides the opportunity to acquire advanced knowledge and skills in the therapeutic'
  ➜ Skipping stray line: 'use of pharmacologic agents, herbals, and supplements. Students will explore the pharmacologic treatment of major health problems and examine the'
  ➜ Skipping stray line: 'principles of pharmacogenomics. The effects of culture, ethnicity, age, pregnancy, gender, healthcare setting, and funding of pharmacologic therapy'
  ➜ Skipping stray line: 'will be emphasized. Legal aspects of prescribing will be fully addressed. Case studies will be utilized to present some of these concepts.'
  ➜ Skipping stray line: 'C358 - Foundations of Nursing Education - This graduate level course in the education specialty core examines the contemporary issues of nursing'
  ➜ Skipping stray line: 'education. While traditional contexts for learning are included, students will also focus on modern technology and trends in nursing education.'
  ➜ Skipping stray line: 'Students will explore curriculum development, educational philosophy, theories and models, instruction and evaluation, as well as e-learning,'
  ➜ Skipping stray line: 'simulations, and current technology in nursing education.'
  ➜ Skipping stray line: 'C359 - Future Directions in Contemporary Learning and Education - This course builds on previously developed concepts acquired in'
  ➜ Skipping stray line: 'Foundations of Nursing Education and Facilitating Learning in the 21st Century. This course will explore how changes in the economy, advancements'
  ➜ Skipping stray line: 'in science, and the explosion of technology have created a paradigm shift in nursing education. Graduates will further explore the role of the educator'
  ➜ Skipping stray line: 'and the application of innovative education strategies.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 155'
  ➜ Skipping stray line: 'C360 - Teacher Work Sample in English Language Learning - The Teacher Work Sample is a culmination of the wide variety of skills learned'
  ➜ Skipping stray line: 'during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of'
  ➜ Skipping stray line: 'your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C361 - Evidence Based Practice and Applied Nursing Research - The Evidence Based Practice and Applied Nursing Research course will help'
  ➜ Skipping stray line: 'you to learn how to design and conduct research to answer important questions about improving nursing practice and patient care delivery outcomes.'
  ➜ Skipping stray line: 'After you are introduced to the basics of evidence-based practice, you will continue to implement the principles throughout your clinical experience.'
  ➜ Skipping stray line: 'This will allow you to graduate with more competence and confidence to become a leader in the healing environment.'
  ➜ Skipping stray line: 'C362 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to apply'
  ➜ Skipping stray line: 'differential calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include functions, limits, continuity,'
  ➜ Skipping stray line: 'differentiability, visual, analytical, and conceptual approaches to the definition of the derivative, the power, chain, sum, product, and quotient rules'
  ➜ Skipping stray line: 'applied to polynomial, trigonometric, exponential, and logarithmic functions, implicit differentiation, position, velocity, and acceleration, optimization,'
  ➜ Skipping stray line: 'related rates, curve sketching, and L'Hopital's Rule. Pre-Calculus is a pre-requisite for this course.'
  ➜ Skipping stray line: 'C363 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to apply'
  ➜ Skipping stray line: 'differential calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include functions, limits, continuity,'
  ➜ Skipping stray line: 'differentiability, visual, analytical, and conceptual approaches to the definition of the derivative, the power, chain, sum, product, and quotient rules'
  ➜ Skipping stray line: 'applied to polynomial, trigonometric, exponential, and logarithmic functions, implicit differentiation, position, velocity, and acceleration, optimization,'
  ➜ Skipping stray line: 'related rates, curve sketching, and L'Hopital's Rule. Pre-Calculus is a pre-requisite for this course.'
  ➜ Skipping stray line: 'C365 - Language Arts Instruction and Intervention - Language Arts Instruction and Intervention helps students learn how to implement effective'
  ➜ Skipping stray line: 'language arts instruction and intervention in the elementary classroom. Topics include written and spoken English, expanding students' knowledge,'
  ➜ Skipping stray line: 'literature rich environments, differentiated instruction, technology for reading and writing, assessment strategies for reading and writing, and strategies'
  ➜ Skipping stray line: 'for developing academic language.'
  ➜ Skipping stray line: 'C367 - Elementary Physical Education and Health Methods - Elementary Physical Education and Health Methods helps students learn how to'
  ➜ Skipping stray line: 'implement effective physical and health education instruction in the elementary classroom. Topics include healthy lifestyles, student safety, student'
  ➜ Skipping stray line: 'nutrition, physical education, differentiated instruction for physical and health education, physical education across the curriculum, and public policy in'
  ➜ Skipping stray line: 'health and physical education.'
  ➜ Skipping stray line: 'C368 - Instructional Planning and Presentation in Elementary Education - Instructional Planning and Presentation assists students as they'
  ➜ Skipping stray line: 'continue to build instructional planning skills. Topics include unit and lesson planning, instructional presentation strategies, assessment, engagement,'
  ➜ Skipping stray line: 'integration of learning across the curriculum, effective grouping strategies, technology in the classroom, and using data to inform instruction.'
  ➜ Skipping stray line: 'C369 - Instructional Planning and Presentation in Science - Students will continue to build instructional planning skills with a focus on selecting'
  ➜ Skipping stray line: 'appropriate materials for diverse learners, selecting age- and ability- appropriate strategies for the content areas, promoting critical thinking, and'
  ➜ Skipping stray line: 'establishing both short- and long- term goals'
  ➜ Skipping stray line: 'C375 - Survey of World History - Through a thematic approach, this course explores the history of human societies over 5,000 years. Students'
  ➜ Skipping stray line: 'examine political and social structures, religious beliefs, economic systems, and patterns in trade, as well as many cultural attributes that came to'
  ➜ Skipping stray line: 'distinguish different societies around the globe over time. Special attention is given to relationships between these societies and the way geographic'
  ➜ Skipping stray line: 'and environmental factors influence human development.'
  ➜ Skipping stray line: 'C380 - Language Arts Instruction and Intervention - Language Arts Instruction and Intervention helps students learn how to implement effective'
  ➜ Skipping stray line: 'language arts instruction and intervention in the elementary classroom. Topics include written and spoken English, expanding students' knowledge,'
  ➜ Skipping stray line: 'literature rich environments, differentiated instruction, technology for reading and writing, assessment strategies for reading and writing, and strategies'
  ➜ Skipping stray line: 'for developing academic language.'
  ➜ Skipping stray line: 'C381 - Elementary Mathematics Methods - Elementary Mathematics Methods helps students learn how to implement effective math instruction in'
  ➜ Skipping stray line: 'the elementary classroom. Topics include differentiated math instruction, mathematical communication, mathematical tools for instruction, assessing'
  ➜ Skipping stray line: 'math understanding, integrating math across the curriculum, critical thinking development, standards based math instruction, and mathematical'
  ➜ Skipping stray line: 'models and representation.'
  ➜ Skipping stray line: 'C382 - Elementary Science Methods - Elementary Science Methods helps students learn how to implement effective science instruction in the'
  ➜ Skipping stray line: 'elementary classroom. Topics include processes of science, science inquiry, science learning environments, instructional strategies for science,'
  ➜ Skipping stray line: 'differentiated instruction for science, assessing science understanding, technology for science instruction, standards based science instruction,'
  ➜ Skipping stray line: 'integrating science across curriculum, and science beyond the classroom.'
  ➜ Skipping stray line: 'C388 - Science, Technology, and Society - Science, Technology, and Society explores the ways in which science influences and is influenced by'
  ➜ Skipping stray line: 'society and technology. A humanistic and social endeavor, science serves the needs of ever-changing societies by providing methods for observing,'
  ➜ Skipping stray line: 'questioning, discovering, and communicating information about the physical and natural world. This course prepares educators to explain the nature'
  ➜ Skipping stray line: 'and history of science, the various applications of science, and the scientific and engineering processes used to conduct investigations, make'
  ➜ Skipping stray line: 'decisions, and solve problems. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C389 - Science, Technology, and Society - Science, Technology, and Society explores the ways in which science influences and is influenced by'
  ➜ Skipping stray line: 'society and technology. A humanistic and social endeavor, science serves the needs of ever-changing societies by providing methods for observing,'
  ➜ Skipping stray line: 'questioning, discovering, and communicating information about the physical and natural world. This course prepares educators to explain the nature'
  ➜ Skipping stray line: 'and history of science, the various applications of science, and the scientific and engineering processes used to conduct investigations, make'
  ➜ Skipping stray line: 'decisions, and solve problems. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C393 - IT Foundations - IT Foundations is the first course in a two-part series preparatory for the CompTIA A+ exam, Part I. Students will gain an'
  ➜ Skipping stray line: 'understanding of personal computer components and their functions in a desktop system, as well as computer data storage and retrieval; classifying,'
  ➜ Skipping stray line: 'installing, configuring, optimizing, upgrading, and troubleshooting printers, laptops, portable devices, operating systems, networks, and system'
  ➜ Skipping stray line: 'security; recommending appropriate tools, diagnostic procedures, preventative maintenance and troubleshooting techniques for personal computer'
  ➜ Skipping stray line: 'components in a desktop system; strategies for identifying, preventing, and reporting safety hazards and environmental/human accidents in a'
  ➜ Skipping stray line: 'technological environments; and effective communication with colleagues and clients as well as job-related professional behavior.'
  ➜ Skipping stray line: 'C394 - IT Applications - IT Applications is a continuation of the IT Foundations course preparatory for the CompTIA A+ exam, Part II.'
  ➜ Skipping stray line: 'Students will gain an understanding of personal computer components and their functions in a desktop system. Also covered is computer data storage'
  ➜ Skipping stray line: 'and retrieval, including classifying, installing, configuring, optimizing, upgrading, and troubleshooting printers, laptops, portable devices, operating'
  ➜ Skipping stray line: 'systems, networks, and system security. Other areas include recommending appropriate tools, diagnostic procedures, preventative maintenance and'
  ➜ Skipping stray line: 'troubleshooting techniques for personal computer components in a desktop system. The course then finished with strategies for identifying,'
  ➜ Skipping stray line: 'preventing, and reporting safety hazards and environmental/human accidents in a technological environments, and effective communication with'
  ➜ Skipping stray line: 'colleagues and clients as well as job-related professional behavior.'
  ➜ Skipping stray line: 'C395 - Instructional Planning and Presentation in English - Applications in Instructional Planning and Presentation in English, as a continuation of'
  ➜ Skipping stray line: 'the Instructional Planning and Presentation course, helps students apply, analyze, and reflect on effective classroom instruction.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 156'
  ➜ Skipping stray line: 'C396 - English Pedagogy - English Pedagogy examines pedagogical applications for the teaching of reading, literature, composition, and related'
  ➜ Skipping stray line: 'English Language Arts (ELA) content and skills for middle and secondary schools. Focused on fostering and developing pedagogical content'
  ➜ Skipping stray line: 'knowledge in the aforementioned areas, students will analyze assessment strategies and incorporate methods of literacy instruction into their'
  ➜ Skipping stray line: 'instructional planning to meet the needs of diverse learners. This course helps students prepare and develop skills for classroom practice, lesson'
  ➜ Skipping stray line: 'planning, and working in school settings. C397 Preclinical Experiences in English is a prerequisite.'
  ➜ Skipping stray line: 'C397 - Preclinical Experiences in English - Preclinical Experiences in English provides students the opportunity to observe and participate in a wide'
  ➜ Skipping stray line: 'range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will reflect on'
  ➜ Skipping stray line: 'and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required to meet'
  ➜ Skipping stray line: 'several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C398 - Supervised Demonstration Teaching in English, Observations 1 and 2 - Supervised Demonstration Teaching in English involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C399 - Supervised Demonstration Teaching in English, Observation 3 and Midterm - Supervised Demonstration Teaching in English involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C400 - Supervised Demonstration Teaching in English, Observations 4 and 5 - Supervised Demonstration Teaching in English involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C401 - Supervised Demonstration Teaching in English, Observation 6 and Final - Supervised Demonstration Teaching in English involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C405 - Anatomy and Physiology II - This course introduces advanced concepts of human anatomy and physiology, through the investigation of the'
  ➜ Skipping stray line: 'structures and functions of the body's organ systems. Students will have the opportunity to explore the body through laboratory experience and apply'
  ➜ Skipping stray line: 'the concepts covered in this course. For nursing students this is the second of two anatomy and physiology courses within the program of study.'
  ➜ Skipping stray line: 'C410 - Collaborative Leadership Project - The purpose of this course is to practice applying collaborative leadership skills in an innovative'
  ➜ Skipping stray line: 'environment while engaging with a community. You will combine innovation with leadership to serve patients. You will also identify an innovation'
  ➜ Skipping stray line: 'process that will serve the Navajo Area Indian Health Services (NAIHS) facility in the Navajo Nation. The main task will be to collaborate with'
  ➜ Skipping stray line: 'stakeholders on the proposed process to address obesity.'
  ➜ Skipping stray line: 'C417 - Analytical Methods of Healthcare Professionals - This course explores the significance of research and statistics in care management. You'
  ➜ Skipping stray line: 'will start by examining the role of evidence-based decisions in care management and how to evaluate the quality of research used to make those'
  ➜ Skipping stray line: 'decisions. You will examine the role of statistics in making evidence-based decisions about care management. Finally, you will learn how statistics are'
  ➜ Skipping stray line: 'used in healthcare and how to test the validity of statistics in order to make informed care management decisions.'
  ➜ Skipping stray line: 'C421 - Health Information Technology Project - A medical group has decided to move forward with the organizational initiative of reducing health'
  ➜ Skipping stray line: 'disparities, increasing access, and improving outcomes by leading a cooperative of local healthcare organizations in a Community Health Information'
  ➜ Skipping stray line: 'Exchange System (CHIES) expansion plan founded on the governor’s vision to advance HIEs. You will complete an assessment of a CHIE, propose'
  ➜ Skipping stray line: 'an updated Electronic Health Records System (EHRS), and complete a CHIE feasibility assessment.'
  ➜ Skipping stray line: 'C423 - Challenges in Community Health Project - Community-based integrated healthcare requires skills in communication, management, and'
  ➜ Skipping stray line: 'resource utilization among healthcare personnel, healthcare organizations, and community and state entities. You will apply appropriate actions and'
  ➜ Skipping stray line: 'strategies consistent with the organizational mission, values, and needs in interactions with community leaders and members of the community. You'
  ➜ Skipping stray line: 'will learn and demonstrate utilization of communication and collaboration skills and the evaluation and application of data in problem-solving skills at'
  ➜ Skipping stray line: 'both the organizational and community level.'
  ➜ Skipping stray line: 'C424 - Integrated Healthcare Project - You will develop and present a comprehensive case study and business plan that proposes an integrated'
  ➜ Skipping stray line: 'system that includes, at a minimum, a health plan, hospitals, skilled nursing homes, and home health organizations to meet the rising health demands'
  ➜ Skipping stray line: 'of the baby-boomer population. You will choose an area of the U.S. with existing healthcare organizations, and present a model of an “open delivery'
  ➜ Skipping stray line: 'system” that serves as a financial hedge, enables experimentation, integrates culture (patient population demographics and regional healthcare'
  ➜ Skipping stray line: 'values and principles), incentives wellness and preventative care), and is value-based and consumer driven.'
  ➜ Skipping stray line: 'C425 - Healthcare Delivery Systems, Regulation, and Compliance - This course provides an overview of the U.S. healthcare system and focuses'
  ➜ Skipping stray line: 'on developing an understanding of the various sectors and roles involved in this complex industry. Policy and compliance issues are also addressed to'
  ➜ Skipping stray line: 'facilitate an appreciation for the highly regulated nature of healthcare delivery.'
  ➜ Skipping stray line: 'C426 - Healthcare Values and Ethics - This course explores ethical standards and considerations common to the healthcare environment such as'
  ➜ Skipping stray line: 'access to care, confidentiality, the allocation of limited resources, and billing practices. This course also focuses on the distinct value system'
  ➜ Skipping stray line: 'associated with the healthcare industry, as well as the values of professionalism.'
  ➜ Skipping stray line: 'C427 - Technology Applications in Healthcare - This course explores how technology continues to change and influence the healthcare industry.'
  ➜ Skipping stray line: 'Practical managerial applications are explored as well as the legal, ethical, and practical aspects of access to health and disease information.'
  ➜ Skipping stray line: 'Ensuring the protection of private health information is also emphasized.'
  ➜ Skipping stray line: 'C428 - Financial Resource Management in Healthcare - This course examines the financial environment of the healthcare industry including'
  ➜ Skipping stray line: 'principles involved in managed care. It also explores the revenue and expense structures for different sectors within the industry while emphasizing'
  ➜ Skipping stray line: 'funding and reimbursement practices of healthcare.'
  ➜ Skipping stray line: 'C429 - Healthcare Operations Management - This course builds upon basic principles of management, organizational behavior, and leadership.'
  ➜ Skipping stray line: 'Specific processes and business principles for managing operations in interdependent and multi-disciplinary healthcare organizations are explored.'
  ➜ Skipping stray line: 'Marketing strategies, communication skills, and the ability to establish and maintain relationships while ensuring productivity that is efficient, safe, and'
  ➜ Skipping stray line: 'meets the needs of all stakeholders is emphasized.'
  ➜ Skipping stray line: 'C430 - Healthcare Quality Improvement and Risk Management - This course emphasizes principles of quality management and risk management'
  ➜ Skipping stray line: 'in order to ensure safety, maximize patient outcomes, and continuously improve organizational outcomes. This course also examines the broader'
  ➜ Skipping stray line: 'impact of organizational culture and its influence on productivity, quality, and risk.'
  ➜ Skipping stray line: 'C431 - Healthcare Research and Statistics - This course builds upon an understanding of research methods and quantitative analysis. Concepts of'
  ➜ Skipping stray line: 'population health, epidemiology, and evidence-based practices provide the foundation for understanding the importance of data for informing'
  ➜ Skipping stray line: 'healthcare organizational decisions.'
  ➜ Skipping stray line: 'C432 - Healthcare Management and Strategy - This course builds upon basic principles of strategic management and explores healthcare'
  ➜ Skipping stray line: 'organizational structures and processes. The importance of the collaborative nature and interrelationships among business functions is emphasized.'
  ➜ Skipping stray line: 'Creating a healthcare vision and designing business plans within a healthcare environment is also examined.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 157'
  ➜ Skipping stray line: 'C433 - Integrated Healthcare Management Capstone Project - The capstone project is a student-designed project intended to illustrate your ability'
  ➜ Skipping stray line: 'to effect change in the industry and demonstrate competence in all five core competencies of the curriculum. You are required to collaborate with'
  ➜ Skipping stray line: 'leaders in the healthcare industry to identify opportunities for improvement in healthcare, propose a solution, and perform a business analysis to'
  ➜ Skipping stray line: 'evaluate its feasibility. In addition, the capstone project encourages work in the healthcare industry that will be showcased in your collection of work'
  ➜ Skipping stray line: 'and help solidify professional relationships in the industry.'
  ➜ Skipping stray line: 'C439 - Healthcare Management Capstone - This course is the culminating experience and assessment of healthcare business administration. This'
  ➜ Skipping stray line: 'course requires the student to integrate and synthesize managerial skills with healthcare knowledge, resulting in a high quality final project that'
  ➜ Skipping stray line: 'demonstrates professional managerial proficiency.'
  ➜ Skipping stray line: 'C451 - Integrated Natural Science - Integrated Natural Sciences explores the natural world through an integrated perspective and helps students'
  ➜ Skipping stray line: 'begin to see and draw numerous connections among events in the natural world. Topics include the universe, the Earth, ecosystems and organisms.'
  ➜ Skipping stray line: 'C452 - Integrated Natural Science Applications - Integrated Natural Sciences Applications explores the natural world through an integrated'
  ➜ Skipping stray line: 'perspective and helps students apply scientific concepts and methodologies to the examination of natural science fundamentals.'
  ➜ Skipping stray line: 'C453 - Clinical Microbiology - Clinical Microbiology introduces general concepts, methods, and applications of microbiology from a health sciences'
  ➜ Skipping stray line: 'perspective. The course is designed to provide healthcare professionals with a basic understanding of how various diseases are transmitted and'
  ➜ Skipping stray line: 'controlled. Students will examine the structure and function of microorganisms, including the roles that they play in causing major diseases. The'
  ➜ Skipping stray line: 'course also explores immunological, pathological and epidemiological factors associated with disease. To assist students in developing an applied,'
  ➜ Skipping stray line: 'patient-focused understanding of microbiology, this course is complimented by several lab experiments which allow students to: practice aseptic'
  ➜ Skipping stray line: 'techniques, grow bacteria and fungi, identify characteristics of bacteria and yeast based on biochemical and environmental tests, determine antibiotic'
  ➜ Skipping stray line: 'susceptibility, discover the microorganisms growing on objects and surfaces, and determine the Gram characteristic of bacteria. This course has no'
  ➜ Skipping stray line: 'pre-requisites.'
  ➜ Skipping stray line: 'C455 - English Composition I - English Composition I introduces learners to the types of writing and thinking that are valued in college and beyond.'
  ➜ Skipping stray line: 'Students will practice writing in several genres with emphasis placed on writing and revising academic arguments. Instruction and exercises in'
  ➜ Skipping stray line: 'grammar, mechanics, research documentation, and style are paired with each module so that writers can practice these skills as necessary.'
  ➜ Skipping stray line: 'Comp I is a foundational course designed to help students prepare for success at the college level.'
  ➜ Skipping stray line: 'There are no prerequisites for English Composition I.'
  ➜ Skipping stray line: 'C456 - English Composition II - English Composition II introduces undergraduate students to research writing. It is a foundational course designed to'
  ➜ Skipping stray line: 'help students prepare for advanced writing within the discipline and to complete the capstone. Specifically, this course will help students develop or'
  ➜ Skipping stray line: 'improve research, reference citation, document organization, and writing skills. English Composition I or equivalent is a prerequisite for this course.'
  ➜ Skipping stray line: 'C457 - Foundations of College Mathematics - Foundations of College Mathematics addresses the sequence of learning activities necessary to build'
  ➜ Skipping stray line: 'competence in foundational concepts of College Mathematics, which include whole numbers, fractions, decimals, ratios, proportions and percents,'
  ➜ Skipping stray line: 'geometry, statistics, the real number system, equations, inequalities, applications, and graphs of linear equations.'
  ➜ Skipping stray line: 'C458 - Health, Fitness and Wellness - Health, Fitness and Wellness focuses on the importance and foundations of good health and physical fitness,'
  ➜ Skipping stray line: 'particularly for children and adolescents, addressing health, nutrition, fitness, and substance use and abuse.'
  ➜ Skipping stray line: 'C459 - Introduction to Probability and Statistics - In this course, students demonstrate competency in the basic concepts, logic, and issues'
  ➜ Skipping stray line: 'involved in statistical reasoning. Topics include summarizing and analyzing data, sampling and study design, and probability.'
  ➜ Skipping stray line: 'C460 - Mathematics for Elementary Educators I - Mathematics for Elementary Educators I engages pre-service elementary teachers in'
  ➜ Skipping stray line: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in problem solving, set theory,'
  ➜ Skipping stray line: 'number theory, whole numbers and integers. This is the first course in a three-course sequence.'
  ➜ Skipping stray line: 'C461 - Mathematics for Elementary Educators II - This course engages pre-service elementary teachers in mathematical practices based on deep'
  ➜ Skipping stray line: 'understanding of underlying concepts. This course takes the arithmetic of the first course and generalizes it into algebraic reasoning. The course also'
  ➜ Skipping stray line: 'touches on important topics in probability. This is the second course in a three-course sequence.'
  ➜ Skipping stray line: 'C462 - Mathematics for Elementary Educators III - Mathematics for Elementary Educators III engages pre-service elementary teachers in'
  ➜ Skipping stray line: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in statistics, measurement, and'
  ➜ Skipping stray line: 'covers geometry from synthetic, transformational, and coordinate perspectives. This is the third course in a three-course sequence.'
  ➜ Skipping stray line: 'C463 - Intermediate Algebra - This course provides an introduction of algebraic concepts and the development of the essential groundwork for'
  ➜ Skipping stray line: 'College Algebra. Topics include: A review of basic mathematical skills, the real number system, algebraic expressions, linear equations, graphing,'
  ➜ Skipping stray line: 'exponents and polynomials'
  ➜ Skipping stray line: 'C464 - Introduction to Communication - This introductory communication course allows students to become familiar with the fundamental'
  ➜ Skipping stray line: 'communication theories and practices necessary to engage in healthy professional and personal relationships. Students will survey human'
  ➜ Skipping stray line: 'communication on multiple levels and critically apply the theoretical grounding of the course to interpersonal, intercultural, small group, and public'
  ➜ Skipping stray line: 'presentational contexts. The course also encourages students to consider the influence of language, perception, culture, and media on their daily'
  ➜ Skipping stray line: 'communicative interactions. In addition to theory, students will engage in the application of effective communication skills through systematically'
  ➜ Skipping stray line: 'preparing and delivering an oral presentation. By practicing these fundamental skills in human communication, students become more competent'
  ➜ Skipping stray line: 'communicators as they develop more flexible, useful, and discriminatory communicative practices in a variety of contexts.'
  ➜ Skipping stray line: 'C465 - Care of the Developing Family - .'
  ➜ Skipping stray line: 'C466 - Medication Dosage Calculations - In Medication Dosage Calculations, students learn about individualized drug dosing concepts, including:'
  ➜ Skipping stray line: 'different measurement systems, solid and liquid medications, calculating dosages based on body weight or body surface area, interpreting drug labels'
  ➜ Skipping stray line: 'and abbreviations, and common medication errors.'
  ➜ Skipping stray line: 'C467 - Pharmacology - Pharmacology covers concepts in pharmacology including drug classification and effects, the role of the nurse in drug'
  ➜ Skipping stray line: 'therapy, preparation and administration of drugs, and ethical and legal issues surrounding medication administration. The Institute of Medicine reports'
  ➜ Skipping stray line: 'that cited medication errors as the most common medical errors, costing billions of dollars and harming up to 1.5 million people every year. Medication'
  ➜ Skipping stray line: 'errors are often the result of nurses failing to follow proper procedures. The pharmacology course covers the following concepts: the nursing process'
  ➜ Skipping stray line: 'in relation to drug therapy; the role of pharmacological principles in nursing; the role of the nurse in pharmacy and lifespan considerations; cultural,'
  ➜ Skipping stray line: 'ethical, and legal considerations; education and substance abuse; and gene therapy and pharmacology. This course introduces the nursing student to'
  ➜ Skipping stray line: 'these concepts and continues to integrate pharmacology throughout the clinical courses within the program.'
  ➜ Skipping stray line: 'C468 - Information Management and the Application of Technology - Information Management and the Application of Technology helps the'
  ➜ Skipping stray line: 'student learn how to identify and implement the unique responsibilities of nurses related to the application of technology and the management of'
  ➜ Skipping stray line: 'patient information. This includes: understanding the evolving role of nurse informaticists; demonstrating the skills needed to use electronic health'
  ➜ Skipping stray line: 'records; identifying nurse-sensitive outcomes that lead to quality improvement measures; supporting the contributions of nurses to patient care;'
  ➜ Skipping stray line: 'examining workflow changes related to the implementation of computerized management systems; and learning to analyze the implications of new'
  ➜ Skipping stray line: 'technology on security, practice, and research.'
  ➜ Skipping stray line: 'C469 - Caring Arts and Science Across the Lifespan Part I - Caring Arts and Science Across the Lifespan Part I introduces nursing fundamentals'
  ➜ Skipping stray line: 'which speak to the core of all nursing care by assessing the needs of patients with compassion and respect; advocating for patients and their families;'
  ➜ Skipping stray line: 'providing education and comfort; and integrating patient needs into a plan of care that embraces individuality, diversity, and belief. Students continue'
  ➜ Skipping stray line: 'to learn about fundamental nursing skills within their didactic environment and will be provided time to practice in a learning lab environment.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 158'
  ➜ Skipping stray line: 'C470 - Caring Arts and Science Across the Lifespan Part I Clinical Learning - This course includes all aspects of clinical learning related to the'
  ➜ Skipping stray line: 'fundamentals of nursing practice. Learning labs will teach and assess task skill knowledge including physical assessment, safe medication'
  ➜ Skipping stray line: 'administration, oxygenation; nutrition, metabolism, & elimination; skin integrity, activity, & mobility; and cognition. Students who are successful in lab'
  ➜ Skipping stray line: 'assessments will progress to live patient clinicals and will be assessed for their mastery of basic levels of the key behaviors for clinical practice of a'
  ➜ Skipping stray line: 'novice nursing student.'
  ➜ Skipping stray line: 'C471 - Caring Arts and Science Across the Lifespan Part II - Caring Arts and Science Across the Lifespan Part II topics include management of'
  ➜ Skipping stray line: 'the perioperative care continuum; patient centered care of the adult; care of the adult with alterations in circulation; car of the adult with alterations in'
  ➜ Skipping stray line: 'cardiovascular function; care of the adult with alterations in oxygenation; care of the adult with alterations in neurosensory function; fundamental'
  ➜ Skipping stray line: 'patient self-determination & advocacy; and end-of-life care. This course incorporates virtual simulations into the didactic course to help students'
  ➜ Skipping stray line: 'prepare for their learning labs and clinical learning experience. Patient scenarios for the virtual simulations include: fluid & electrolyte imbalance; blood'
  ➜ Skipping stray line: 'transfusion reaction; severe reaction to antibiotic; pulmonary embolism; and postoperative complications with a fracture.'
  ➜ Skipping stray line: 'C472 - Caring Arts and Science Across the Lifespan Part II Clinical Learning - The clinical learning course for CASAL II includes all aspects of'
  ➜ Skipping stray line: 'clinical learning related to medical surgical nursing practice. Learning labs will teach and assess task skill knowledge progressing to high fidelity'
  ➜ Skipping stray line: 'simulation scenarios to develop mastery of situated use of knowledge and synthesis of knowledge in clinical scenarios that focus on perioperative'
  ➜ Skipping stray line: 'care. The virtual simulations that students completed in didactic will prepare them for their learning lab scenarios. Students who are successful in lab'
  ➜ Skipping stray line: 'assessments will progress to live patient clinicals and will be assessed for their mastery of basic levels of the key behaviors for clinical practice of'
  ➜ Skipping stray line: 'Medical Surgical nursing.'
  ➜ Skipping stray line: 'C473 - Care of Adults with Complex Illnesses - The Care of Adults with Complex Illnesses course builds on prior knowledge of medical surgical'
  ➜ Skipping stray line: 'nursing care and common conditions, focusing on diseases and conditions that affect the neuromuscular system, the musculoskeletal system, the'
  ➜ Skipping stray line: 'kidneys, the pancreas, and diseases such as cancer and impaired immunity, which affect every part of the body. Students will develop mastery of'
  ➜ Skipping stray line: 'competencies related to advanced medical surgical nursing practice. This course also utilizes virtual simulation scenarios to help students prepare for'
  ➜ Skipping stray line: 'their learning labs and their clinical intensives. Students work through the following patient scenarios: diabetes/hypoglycemia; postop abdominal'
  ➜ Skipping stray line: 'hysterectomy/opioid intoxication; acute severe asthma; acute myocardial infarction; and respiratory system disease.'
  ➜ Skipping stray line: 'C474 - Clinical Learning for Complex Illnesses in Adults - Clinical Care of Adults with Complex Illnesses includes all aspects of clinical learning'
  ➜ Skipping stray line: 'related to advanced medical surgical nursing practice. Learning labs will teach and assess advanced clinical competencies through the use of high'
  ➜ Skipping stray line: 'fidelity simulation and advanced clinical debriefing for clinical scenarios. Students participate in skills related to advance medication administration,'
  ➜ Skipping stray line: 'central venous devices, and peripherally inserted central catheters. The virtual simulations that students completed in didactic will prepare them for'
  ➜ Skipping stray line: 'their learning lab scenarios. Students who are successful in simulation assessments will progress to live patient clinicals and will be assessed for their'
  ➜ Title candidate: 'mastery of advanced levels of the key behaviors for clinical practice of Medical Surgical nursing.'
  ✔️ Collected description (1790 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 5252: 'C239 - Advanced Tax Concepts - This course is designed to enhance your awareness of the complexities and sources of tax law and to measure'

🔍 parse_program: starting at line 5252: 'C239 - Advanced Tax Concepts - This course is designed to enhance your awareness of the complexities and sources of tax law and to measure'
  ➜ Title candidate: 'C239 - Advanced Tax Concepts - This course is designed to enhance your awareness of the complexities and sources of tax law and to measure'
  ❌ Invalid title line: 'C239 - Advanced Tax Concepts - This course is designed to enhance your awareness of the complexities and sources of tax law and to measure'
  ➜ Parsing at 5253: 'and analyze the effect of various tax options. This course provides an overview of income taxes on individuals, corporations, associations,'

🔍 parse_program: starting at line 5253: 'and analyze the effect of various tax options. This course provides an overview of income taxes on individuals, corporations, associations,'
  ➜ Title candidate: 'and analyze the effect of various tax options. This course provides an overview of income taxes on individuals, corporations, associations,'
  ❌ Invalid title line: 'and analyze the effect of various tax options. This course provides an overview of income taxes on individuals, corporations, associations,'
  ➜ Parsing at 5254: 'reorganizations, and corporate distributions. This course emphasizes the role of taxes in business decisions and business strategy.'

🔍 parse_program: starting at line 5254: 'reorganizations, and corporate distributions. This course emphasizes the role of taxes in business decisions and business strategy.'
  ➜ Title candidate: 'reorganizations, and corporate distributions. This course emphasizes the role of taxes in business decisions and business strategy.'
  ❌ Invalid title line: 'reorganizations, and corporate distributions. This course emphasizes the role of taxes in business decisions and business strategy.'
  ➜ Parsing at 5255: 'C240 - Auditing - This course will walk you through the auditing process, including planning, conducting, documenting, and reporting an audit. You'

🔍 parse_program: starting at line 5255: 'C240 - Auditing - This course will walk you through the auditing process, including planning, conducting, documenting, and reporting an audit. You'
  ➜ Title candidate: 'C240 - Auditing - This course will walk you through the auditing process, including planning, conducting, documenting, and reporting an audit. You'
  ❌ Invalid title line: 'C240 - Auditing - This course will walk you through the auditing process, including planning, conducting, documenting, and reporting an audit. You'
  ➜ Parsing at 5256: 'will also learn the roles and professional standards of public accountants. This course is designed to help you study for the CPA exam and develop'

🔍 parse_program: starting at line 5256: 'will also learn the roles and professional standards of public accountants. This course is designed to help you study for the CPA exam and develop'
  ➜ Title candidate: 'will also learn the roles and professional standards of public accountants. This course is designed to help you study for the CPA exam and develop'
  ❌ Invalid title line: 'will also learn the roles and professional standards of public accountants. This course is designed to help you study for the CPA exam and develop'
  ➜ Parsing at 5257: 'essential skills for real-world experience.'

🔍 parse_program: starting at line 5257: 'essential skills for real-world experience.'
  ➜ Title candidate: 'essential skills for real-world experience.'
  ❌ Invalid title line: 'essential skills for real-world experience.'
  ➜ Parsing at 5258: 'C241 - Business Law for Accountants - Welcome to Business Law for Accountants! While you may have had exposure to other law or even'

🔍 parse_program: starting at line 5258: 'C241 - Business Law for Accountants - Welcome to Business Law for Accountants! While you may have had exposure to other law or even'
  ➜ Title candidate: 'C241 - Business Law for Accountants - Welcome to Business Law for Accountants! While you may have had exposure to other law or even'
  ❌ Invalid title line: 'C241 - Business Law for Accountants - Welcome to Business Law for Accountants! While you may have had exposure to other law or even'
  ➜ Parsing at 5259: 'business law courses, this course focuses on those areas of the law that traditionally impact accounting-related and business transaction-related'

🔍 parse_program: starting at line 5259: 'business law courses, this course focuses on those areas of the law that traditionally impact accounting-related and business transaction-related'
  ➜ Title candidate: 'business law courses, this course focuses on those areas of the law that traditionally impact accounting-related and business transaction-related'
  ❌ Invalid title line: 'business law courses, this course focuses on those areas of the law that traditionally impact accounting-related and business transaction-related'
  ➜ Parsing at 5260: 'decision functions. The course represents the legal and accounting concepts governing the conduct of business in the United States. It will cover laws'

🔍 parse_program: starting at line 5260: 'decision functions. The course represents the legal and accounting concepts governing the conduct of business in the United States. It will cover laws'
  ➜ Title candidate: 'decision functions. The course represents the legal and accounting concepts governing the conduct of business in the United States. It will cover laws'
  ❌ Invalid title line: 'decision functions. The course represents the legal and accounting concepts governing the conduct of business in the United States. It will cover laws'
  ➜ Parsing at 5261: 'and regulations relevant to business operations.'

🔍 parse_program: starting at line 5261: 'and regulations relevant to business operations.'
  ➜ Title candidate: 'and regulations relevant to business operations.'
  ❌ Invalid title line: 'and regulations relevant to business operations.'
  ➜ Parsing at 5262: 'C242 - Accounting Information Systems - Welcome to Accounting Information Systems! This course introduces a variety of accounting information'

🔍 parse_program: starting at line 5262: 'C242 - Accounting Information Systems - Welcome to Accounting Information Systems! This course introduces a variety of accounting information'
  ➜ Title candidate: 'C242 - Accounting Information Systems - Welcome to Accounting Information Systems! This course introduces a variety of accounting information'
  ❌ Invalid title line: 'C242 - Accounting Information Systems - Welcome to Accounting Information Systems! This course introduces a variety of accounting information'
  ➜ Parsing at 5263: 'systems and internal controls necessary for effective systems. Students will learn how to document and evaluate the process flows of accounting'

🔍 parse_program: starting at line 5263: 'systems and internal controls necessary for effective systems. Students will learn how to document and evaluate the process flows of accounting'
  ➜ Title candidate: 'systems and internal controls necessary for effective systems. Students will learn how to document and evaluate the process flows of accounting'
  ❌ Invalid title line: 'systems and internal controls necessary for effective systems. Students will learn how to document and evaluate the process flows of accounting'
  ➜ Parsing at 5264: 'information systems, evaluate internal controls within accounting systems, and use QuickBooks Online.'

🔍 parse_program: starting at line 5264: 'information systems, evaluate internal controls within accounting systems, and use QuickBooks Online.'
  ➜ Title candidate: 'information systems, evaluate internal controls within accounting systems, and use QuickBooks Online.'
  ❌ Invalid title line: 'information systems, evaluate internal controls within accounting systems, and use QuickBooks Online.'
  ➜ Parsing at 5265: 'C243 - Advanced Financial Accounting - This course builds upon your accounting knowledge by focusing on advanced financial accounting topics'

🔍 parse_program: starting at line 5265: 'C243 - Advanced Financial Accounting - This course builds upon your accounting knowledge by focusing on advanced financial accounting topics'
  ➜ Title candidate: 'C243 - Advanced Financial Accounting - This course builds upon your accounting knowledge by focusing on advanced financial accounting topics'
  ❌ Invalid title line: 'C243 - Advanced Financial Accounting - This course builds upon your accounting knowledge by focusing on advanced financial accounting topics'
  ➜ Parsing at 5266: 'such as consolidations, partnership accounting, and international accounting.'

🔍 parse_program: starting at line 5266: 'such as consolidations, partnership accounting, and international accounting.'
  ➜ Title candidate: 'such as consolidations, partnership accounting, and international accounting.'
  ❌ Invalid title line: 'such as consolidations, partnership accounting, and international accounting.'
  ➜ Parsing at 5267: 'C244 - Advanced Auditing - This course introduces the basic concepts, standards, procedures, and practices of auditing, the changing role of the'

🔍 parse_program: starting at line 5267: 'C244 - Advanced Auditing - This course introduces the basic concepts, standards, procedures, and practices of auditing, the changing role of the'
  ➜ Title candidate: 'C244 - Advanced Auditing - This course introduces the basic concepts, standards, procedures, and practices of auditing, the changing role of the'
  ❌ Invalid title line: 'C244 - Advanced Auditing - This course introduces the basic concepts, standards, procedures, and practices of auditing, the changing role of the'
  ➜ Parsing at 5268: 'independent auditor, professional conduct and ethics, auditor's reporting responsibilities, risk assessment, internal control, evidential matter, and'

🔍 parse_program: starting at line 5268: 'independent auditor, professional conduct and ethics, auditor's reporting responsibilities, risk assessment, internal control, evidential matter, and'
  ➜ Title candidate: 'independent auditor, professional conduct and ethics, auditor's reporting responsibilities, risk assessment, internal control, evidential matter, and'
  ❌ Invalid title line: 'independent auditor, professional conduct and ethics, auditor's reporting responsibilities, risk assessment, internal control, evidential matter, and'
  ➜ Parsing at 5269: 'management fraud. This course is designed to help you examine how the role of internal and external auditing can best be performed through'

🔍 parse_program: starting at line 5269: 'management fraud. This course is designed to help you examine how the role of internal and external auditing can best be performed through'
  ➜ Title candidate: 'management fraud. This course is designed to help you examine how the role of internal and external auditing can best be performed through'
  ❌ Invalid title line: 'management fraud. This course is designed to help you examine how the role of internal and external auditing can best be performed through'
  ➜ Parsing at 5270: 'studying cases of audit activities.'

🔍 parse_program: starting at line 5270: 'studying cases of audit activities.'
  ➜ Title candidate: 'studying cases of audit activities.'
  ❌ Invalid title line: 'studying cases of audit activities.'
  ➜ Parsing at 5271: 'C245 - Accounting Research - The Accounting Research course is an upper level course that builds research application skills through identification'

🔍 parse_program: starting at line 5271: 'C245 - Accounting Research - The Accounting Research course is an upper level course that builds research application skills through identification'
  ➜ Title candidate: 'C245 - Accounting Research - The Accounting Research course is an upper level course that builds research application skills through identification'
  ❌ Invalid title line: 'C245 - Accounting Research - The Accounting Research course is an upper level course that builds research application skills through identification'
  ➜ Parsing at 5272: 'of accounting issues and researching concepts related to public accounting firms, businesses, and regulating authorities. This course helps students'

🔍 parse_program: starting at line 5272: 'of accounting issues and researching concepts related to public accounting firms, businesses, and regulating authorities. This course helps students'
  ➜ Title candidate: 'of accounting issues and researching concepts related to public accounting firms, businesses, and regulating authorities. This course helps students'
  ❌ Invalid title line: 'of accounting issues and researching concepts related to public accounting firms, businesses, and regulating authorities. This course helps students'
  ➜ Parsing at 5273: 'develop analytical and research capabilities and apply the technical knowledge of accounting theory and principles to solve complex accounting'

🔍 parse_program: starting at line 5273: 'develop analytical and research capabilities and apply the technical knowledge of accounting theory and principles to solve complex accounting'
  ➜ Title candidate: 'develop analytical and research capabilities and apply the technical knowledge of accounting theory and principles to solve complex accounting'
  ❌ Invalid title line: 'develop analytical and research capabilities and apply the technical knowledge of accounting theory and principles to solve complex accounting'
  ➜ Parsing at 5274: 'problems.'

🔍 parse_program: starting at line 5274: 'problems.'
  ➜ Title candidate: 'problems.'
  ❌ Invalid title line: 'problems.'
  ➜ Parsing at 5275: 'C246 - Fundamentals of Interconnecting Network Devices - This course prepares students for the Cisco CCENT certification exam,'

🔍 parse_program: starting at line 5275: 'C246 - Fundamentals of Interconnecting Network Devices - This course prepares students for the Cisco CCENT certification exam,'
  ➜ Title candidate: 'C246 - Fundamentals of Interconnecting Network Devices - This course prepares students for the Cisco CCENT certification exam,'
  ❌ Invalid title line: 'C246 - Fundamentals of Interconnecting Network Devices - This course prepares students for the Cisco CCENT certification exam,'
  ➜ Parsing at 5276: 'Interconnecting Cisco Networking Devices Part I (ICND1). This is also the first of two exams that lead to Cisco Certified Networking Associate (CCNA)'

🔍 parse_program: starting at line 5276: 'Interconnecting Cisco Networking Devices Part I (ICND1). This is also the first of two exams that lead to Cisco Certified Networking Associate (CCNA)'
  ➜ Title candidate: 'Interconnecting Cisco Networking Devices Part I (ICND1). This is also the first of two exams that lead to Cisco Certified Networking Associate (CCNA)'
  ❌ Invalid title line: 'Interconnecting Cisco Networking Devices Part I (ICND1). This is also the first of two exams that lead to Cisco Certified Networking Associate (CCNA)'
  ➜ Parsing at 5277: 'certification.'

🔍 parse_program: starting at line 5277: 'certification.'
  ➜ Title candidate: 'certification.'
  ❌ Invalid title line: 'certification.'
  ➜ Parsing at 5278: 'C247 - Interconnecting Network Devices - This course prepares students for the second Cisco CCNA certification exam, Interconnecting Cisco'

🔍 parse_program: starting at line 5278: 'C247 - Interconnecting Network Devices - This course prepares students for the second Cisco CCNA certification exam, Interconnecting Cisco'
  ➜ Title candidate: 'C247 - Interconnecting Network Devices - This course prepares students for the second Cisco CCNA certification exam, Interconnecting Cisco'
  ❌ Invalid title line: 'C247 - Interconnecting Network Devices - This course prepares students for the second Cisco CCNA certification exam, Interconnecting Cisco'
  ➜ Parsing at 5279: 'Networking Devices Part 2 (ICND2).'

🔍 parse_program: starting at line 5279: 'Networking Devices Part 2 (ICND2).'
  ➜ Title candidate: 'Networking Devices Part 2 (ICND2).'
  ❌ Invalid title line: 'Networking Devices Part 2 (ICND2).'
  ➜ Parsing at 5280: 'C248 - Intermediate Accounting I - This is the first of two courses encompassing more advanced accounting concepts. It will offer a more'

🔍 parse_program: starting at line 5280: 'C248 - Intermediate Accounting I - This is the first of two courses encompassing more advanced accounting concepts. It will offer a more'
  ➜ Title candidate: 'C248 - Intermediate Accounting I - This is the first of two courses encompassing more advanced accounting concepts. It will offer a more'
  ❌ Invalid title line: 'C248 - Intermediate Accounting I - This is the first of two courses encompassing more advanced accounting concepts. It will offer a more'
  ➜ Parsing at 5281: 'comprehensive treatment of concepts learned in previous accounting courses. It will cover accounting standards, the conceptual accounting'

🔍 parse_program: starting at line 5281: 'comprehensive treatment of concepts learned in previous accounting courses. It will cover accounting standards, the conceptual accounting'
  ➜ Title candidate: 'comprehensive treatment of concepts learned in previous accounting courses. It will cover accounting standards, the conceptual accounting'
  ❌ Invalid title line: 'comprehensive treatment of concepts learned in previous accounting courses. It will cover accounting standards, the conceptual accounting'
  ➜ Parsing at 5282: 'framework, preparation of selected financial statements, time value of money, receivables, fixed assets, intangible assets, and both long- and short-'

🔍 parse_program: starting at line 5282: 'framework, preparation of selected financial statements, time value of money, receivables, fixed assets, intangible assets, and both long- and short-'
  ➜ Title candidate: 'framework, preparation of selected financial statements, time value of money, receivables, fixed assets, intangible assets, and both long- and short-'
  ❌ Invalid title line: 'framework, preparation of selected financial statements, time value of money, receivables, fixed assets, intangible assets, and both long- and short-'
  ➜ Parsing at 5283: 'term liabilities.'

🔍 parse_program: starting at line 5283: 'term liabilities.'
  ➜ Title candidate: 'term liabilities.'
  ❌ Invalid title line: 'term liabilities.'
  ➜ Parsing at 5284: 'C249 - Intermediate Accounting II - This is the second of two intermediate accounting courses. This course provides a more comprehensive'

🔍 parse_program: starting at line 5284: 'C249 - Intermediate Accounting II - This is the second of two intermediate accounting courses. This course provides a more comprehensive'
  ➜ Title candidate: 'C249 - Intermediate Accounting II - This is the second of two intermediate accounting courses. This course provides a more comprehensive'
  ❌ Invalid title line: 'C249 - Intermediate Accounting II - This is the second of two intermediate accounting courses. This course provides a more comprehensive'
  ➜ Parsing at 5285: 'treatment of concepts learned in Fundamentals of Accounting. This course will cover stockholders’ equity, dilutive securities, investments, revenue'

🔍 parse_program: starting at line 5285: 'treatment of concepts learned in Fundamentals of Accounting. This course will cover stockholders’ equity, dilutive securities, investments, revenue'
  ➜ Title candidate: 'treatment of concepts learned in Fundamentals of Accounting. This course will cover stockholders’ equity, dilutive securities, investments, revenue'
  ❌ Invalid title line: 'treatment of concepts learned in Fundamentals of Accounting. This course will cover stockholders’ equity, dilutive securities, investments, revenue'
  ➜ Parsing at 5286: 'recognition, accounting for income taxes, pensions and post-retirement benefits, leases, financial disclosures, and the preparation of the statement of'

🔍 parse_program: starting at line 5286: 'recognition, accounting for income taxes, pensions and post-retirement benefits, leases, financial disclosures, and the preparation of the statement of'
  ➜ Title candidate: 'recognition, accounting for income taxes, pensions and post-retirement benefits, leases, financial disclosures, and the preparation of the statement of'
  ❌ Invalid title line: 'recognition, accounting for income taxes, pensions and post-retirement benefits, leases, financial disclosures, and the preparation of the statement of'
  ➜ Parsing at 5287: 'cash flows.'

🔍 parse_program: starting at line 5287: 'cash flows.'
  ➜ Title candidate: 'cash flows.'
  ❌ Invalid title line: 'cash flows.'
  ➜ Parsing at 5288: 'C250 - Cost and Managerial Accounting - The Cost and Managerial Accounting course will cover managerial accounting as part of the information'

🔍 parse_program: starting at line 5288: 'C250 - Cost and Managerial Accounting - The Cost and Managerial Accounting course will cover managerial accounting as part of the information'
  ➜ Title candidate: 'C250 - Cost and Managerial Accounting - The Cost and Managerial Accounting course will cover managerial accounting as part of the information'
  ❌ Invalid title line: 'C250 - Cost and Managerial Accounting - The Cost and Managerial Accounting course will cover managerial accounting as part of the information'
  ➜ Parsing at 5289: 'managers’ use for planning and controlling operations. It prepares students to consider cost behavior and employ various cost methods. Job-order'

🔍 parse_program: starting at line 5289: 'managers’ use for planning and controlling operations. It prepares students to consider cost behavior and employ various cost methods. Job-order'
  ➜ Title candidate: 'managers’ use for planning and controlling operations. It prepares students to consider cost behavior and employ various cost methods. Job-order'
  ❌ Invalid title line: 'managers’ use for planning and controlling operations. It prepares students to consider cost behavior and employ various cost methods. Job-order'
  ➜ Parsing at 5290: 'costing, process costing, and activity-based costing methods will be covered, along with cost-benefit analysis, standard costing, variance analysis, and'

🔍 parse_program: starting at line 5290: 'costing, process costing, and activity-based costing methods will be covered, along with cost-benefit analysis, standard costing, variance analysis, and'
  ➜ Title candidate: 'costing, process costing, and activity-based costing methods will be covered, along with cost-benefit analysis, standard costing, variance analysis, and'
  ❌ Invalid title line: 'costing, process costing, and activity-based costing methods will be covered, along with cost-benefit analysis, standard costing, variance analysis, and'
  ➜ Parsing at 5291: 'cost reporting.'

🔍 parse_program: starting at line 5291: 'cost reporting.'
  ➜ Title candidate: 'cost reporting.'
  ❌ Invalid title line: 'cost reporting.'
  ➜ Parsing at 5292: 'C251 - Accounting Capstone - This course is the culminating assessment of the accounting curriculum and requires students to synthesize core'

🔍 parse_program: starting at line 5292: 'C251 - Accounting Capstone - This course is the culminating assessment of the accounting curriculum and requires students to synthesize core'
  ➜ Title candidate: 'C251 - Accounting Capstone - This course is the culminating assessment of the accounting curriculum and requires students to synthesize core'
  ❌ Invalid title line: 'C251 - Accounting Capstone - This course is the culminating assessment of the accounting curriculum and requires students to synthesize core'
  ➜ Parsing at 5293: 'knowledge from across the degree program and apply accounting skills to benefit an organization. Students will be asked to work with case studies to'

🔍 parse_program: starting at line 5293: 'knowledge from across the degree program and apply accounting skills to benefit an organization. Students will be asked to work with case studies to'
  ➜ Title candidate: 'knowledge from across the degree program and apply accounting skills to benefit an organization. Students will be asked to work with case studies to'
  ❌ Invalid title line: 'knowledge from across the degree program and apply accounting skills to benefit an organization. Students will be asked to work with case studies to'
  ➜ Parsing at 5294: 'address an accounting challenge.'

🔍 parse_program: starting at line 5294: 'address an accounting challenge.'
  ➜ Title candidate: 'address an accounting challenge.'
  ❌ Invalid title line: 'address an accounting challenge.'
  ➜ Parsing at 5295: 'C252 - Governmental and Nonprofit Accounting - This course is designed to be an introduction to the theory and practice of accounting in'

🔍 parse_program: starting at line 5295: 'C252 - Governmental and Nonprofit Accounting - This course is designed to be an introduction to the theory and practice of accounting in'
  ➜ Title candidate: 'C252 - Governmental and Nonprofit Accounting - This course is designed to be an introduction to the theory and practice of accounting in'
  ❌ Invalid title line: 'C252 - Governmental and Nonprofit Accounting - This course is designed to be an introduction to the theory and practice of accounting in'
  ➜ Parsing at 5296: 'governmental and nonprofit entities. The course includes a thorough examination of the process of analyzing and recording transactions by'

🔍 parse_program: starting at line 5296: 'governmental and nonprofit entities. The course includes a thorough examination of the process of analyzing and recording transactions by'
  ➜ Title candidate: 'governmental and nonprofit entities. The course includes a thorough examination of the process of analyzing and recording transactions by'
  ❌ Invalid title line: 'governmental and nonprofit entities. The course includes a thorough examination of the process of analyzing and recording transactions by'
  ➜ Parsing at 5297: 'governmental and nonprofit organization and their preparation of financial statements in accordance with Financial Accounting Board (FASB) and'

🔍 parse_program: starting at line 5297: 'governmental and nonprofit organization and their preparation of financial statements in accordance with Financial Accounting Board (FASB) and'
  ➜ Title candidate: 'governmental and nonprofit organization and their preparation of financial statements in accordance with Financial Accounting Board (FASB) and'
  ❌ Invalid title line: 'governmental and nonprofit organization and their preparation of financial statements in accordance with Financial Accounting Board (FASB) and'
  ➜ Parsing at 5298: 'Governmental Accounting Standards Board (GASB) standards. This course includes accounting for governmental and nonprofit entities (local, state,'

🔍 parse_program: starting at line 5298: 'Governmental Accounting Standards Board (GASB) standards. This course includes accounting for governmental and nonprofit entities (local, state,'
  ➜ Title candidate: 'Governmental Accounting Standards Board (GASB) standards. This course includes accounting for governmental and nonprofit entities (local, state,'
  ❌ Invalid title line: 'Governmental Accounting Standards Board (GASB) standards. This course includes accounting for governmental and nonprofit entities (local, state,'
  ➜ Parsing at 5299: 'and federal) and voluntary organizations.'

🔍 parse_program: starting at line 5299: 'and federal) and voluntary organizations.'
  ➜ Title candidate: 'and federal) and voluntary organizations.'
  ❌ Invalid title line: 'and federal) and voluntary organizations.'
  ➜ Parsing at 5300: 'C253 - Advanced Managerial Accounting - This course introduces the complexity and functionality of managerial accounting systems within an'

🔍 parse_program: starting at line 5300: 'C253 - Advanced Managerial Accounting - This course introduces the complexity and functionality of managerial accounting systems within an'
  ➜ Title candidate: 'C253 - Advanced Managerial Accounting - This course introduces the complexity and functionality of managerial accounting systems within an'
  ❌ Invalid title line: 'C253 - Advanced Managerial Accounting - This course introduces the complexity and functionality of managerial accounting systems within an'
  ➜ Parsing at 5301: 'organization. It covers the topics of product costing (including Activity Based Costing), decision making (including capital budgeting), profitability'

🔍 parse_program: starting at line 5301: 'organization. It covers the topics of product costing (including Activity Based Costing), decision making (including capital budgeting), profitability'
  ➜ Title candidate: 'organization. It covers the topics of product costing (including Activity Based Costing), decision making (including capital budgeting), profitability'
  ❌ Invalid title line: 'organization. It covers the topics of product costing (including Activity Based Costing), decision making (including capital budgeting), profitability'
  ➜ Parsing at 5302: 'analysis, budgeting, performance evaluation, and reporting related to managerial decision-making. This course provides the opportunity for a detailed'

🔍 parse_program: starting at line 5302: 'analysis, budgeting, performance evaluation, and reporting related to managerial decision-making. This course provides the opportunity for a detailed'
  ➜ Title candidate: 'analysis, budgeting, performance evaluation, and reporting related to managerial decision-making. This course provides the opportunity for a detailed'
  ❌ Invalid title line: 'analysis, budgeting, performance evaluation, and reporting related to managerial decision-making. This course provides the opportunity for a detailed'
  ➜ Parsing at 5303: 'study of how managerial accounting information supports the operational and strategic needs of an organization and how managers use accounting'

🔍 parse_program: starting at line 5303: 'study of how managerial accounting information supports the operational and strategic needs of an organization and how managers use accounting'
  ➜ Title candidate: 'study of how managerial accounting information supports the operational and strategic needs of an organization and how managers use accounting'
  ❌ Invalid title line: 'study of how managerial accounting information supports the operational and strategic needs of an organization and how managers use accounting'
  ➜ Parsing at 5304: 'information for decision-making, planning and controlling activities within organizations.'

🔍 parse_program: starting at line 5304: 'information for decision-making, planning and controlling activities within organizations.'
  ➜ Title candidate: 'information for decision-making, planning and controlling activities within organizations.'
  ❌ Invalid title line: 'information for decision-making, planning and controlling activities within organizations.'
  ➜ Parsing at 5305: 'C254 - Fraud and Forensic Accounting - This course provides a framework for detecting and preventing financial statement fraud. Topics include'

🔍 parse_program: starting at line 5305: 'C254 - Fraud and Forensic Accounting - This course provides a framework for detecting and preventing financial statement fraud. Topics include'
  ➜ Title candidate: 'C254 - Fraud and Forensic Accounting - This course provides a framework for detecting and preventing financial statement fraud. Topics include'
  ❌ Invalid title line: 'C254 - Fraud and Forensic Accounting - This course provides a framework for detecting and preventing financial statement fraud. Topics include'
  ➜ Parsing at 5306: 'the profession’s focus and legislation of fraud, revenue- and inventory-related fraud, and liability, asset, and inadequate disclosure fraud.'

🔍 parse_program: starting at line 5306: 'the profession’s focus and legislation of fraud, revenue- and inventory-related fraud, and liability, asset, and inadequate disclosure fraud.'
  ➜ Title candidate: 'the profession’s focus and legislation of fraud, revenue- and inventory-related fraud, and liability, asset, and inadequate disclosure fraud.'
  ❌ Invalid title line: 'the profession’s focus and legislation of fraud, revenue- and inventory-related fraud, and liability, asset, and inadequate disclosure fraud.'
  ➜ Parsing at 5307: 'C255 - Introduction to Geography - This course will discuss geographic concepts, places and regions, physical and human systems and the'

🔍 parse_program: starting at line 5307: 'C255 - Introduction to Geography - This course will discuss geographic concepts, places and regions, physical and human systems and the'
  ➜ Title candidate: 'C255 - Introduction to Geography - This course will discuss geographic concepts, places and regions, physical and human systems and the'
  ❌ Invalid title line: 'C255 - Introduction to Geography - This course will discuss geographic concepts, places and regions, physical and human systems and the'
  ➜ Parsing at 5308: 'environment.'

🔍 parse_program: starting at line 5308: 'environment.'
  ➜ Title candidate: 'environment.'
  ❌ Invalid title line: 'environment.'
  ➜ Parsing at 5309: 'C263 - The Ocean Systems - In this course, learners investigate the complex ocean system by looking at the way its components—atmosphere,'

🔍 parse_program: starting at line 5309: 'C263 - The Ocean Systems - In this course, learners investigate the complex ocean system by looking at the way its components—atmosphere,'
  ➜ Title candidate: 'C263 - The Ocean Systems - In this course, learners investigate the complex ocean system by looking at the way its components—atmosphere,'
  ❌ Invalid title line: 'C263 - The Ocean Systems - In this course, learners investigate the complex ocean system by looking at the way its components—atmosphere,'
  ➜ Parsing at 5310: 'biosphere, geosphere, hydrosphere—interact. Specific topics include: origins of Earth’s oceans and the early history of life; physical characteristics'

🔍 parse_program: starting at line 5310: 'biosphere, geosphere, hydrosphere—interact. Specific topics include: origins of Earth’s oceans and the early history of life; physical characteristics'
  ➜ Title candidate: 'biosphere, geosphere, hydrosphere—interact. Specific topics include: origins of Earth’s oceans and the early history of life; physical characteristics'
  ❌ Invalid title line: 'biosphere, geosphere, hydrosphere—interact. Specific topics include: origins of Earth’s oceans and the early history of life; physical characteristics'
  ➜ Parsing at 5311: 'and geologic processes of the ocean floor; chemistry of the water molecule; energy flow between air and water, and how ocean surface currents and'

🔍 parse_program: starting at line 5311: 'and geologic processes of the ocean floor; chemistry of the water molecule; energy flow between air and water, and how ocean surface currents and'
  ➜ Title candidate: 'and geologic processes of the ocean floor; chemistry of the water molecule; energy flow between air and water, and how ocean surface currents and'
  ❌ Invalid title line: 'and geologic processes of the ocean floor; chemistry of the water molecule; energy flow between air and water, and how ocean surface currents and'
  ➜ Parsing at 5312: 'deep circulation patterns affect weather and climate; marine biology and why ecosystems are an integral part of the ocean system; the effects of'

🔍 parse_program: starting at line 5312: 'deep circulation patterns affect weather and climate; marine biology and why ecosystems are an integral part of the ocean system; the effects of'
  ➜ Title candidate: 'deep circulation patterns affect weather and climate; marine biology and why ecosystems are an integral part of the ocean system; the effects of'
  ❌ Invalid title line: 'deep circulation patterns affect weather and climate; marine biology and why ecosystems are an integral part of the ocean system; the effects of'
  ➜ Parsing at 5313: 'human activity; and the role of professional educators in teaching about ocean systems.'

🔍 parse_program: starting at line 5313: 'human activity; and the role of professional educators in teaching about ocean systems.'
  ➜ Title candidate: 'human activity; and the role of professional educators in teaching about ocean systems.'
  ❌ Invalid title line: 'human activity; and the role of professional educators in teaching about ocean systems.'
  ➜ Parsing at 5314: 'C264 - Climate Change - This course explores the science of climate change. Students will learn how the climate system works; what factors cause'

🔍 parse_program: starting at line 5314: 'C264 - Climate Change - This course explores the science of climate change. Students will learn how the climate system works; what factors cause'
  ➜ Title candidate: 'C264 - Climate Change - This course explores the science of climate change. Students will learn how the climate system works; what factors cause'
  ❌ Invalid title line: 'C264 - Climate Change - This course explores the science of climate change. Students will learn how the climate system works; what factors cause'
  ➜ Parsing at 5315: 'climate to change across different time scales and how those factors interact; how climate has changed in the past; how scientists use models,'

🔍 parse_program: starting at line 5315: 'climate to change across different time scales and how those factors interact; how climate has changed in the past; how scientists use models,'
  ➜ Title candidate: 'climate to change across different time scales and how those factors interact; how climate has changed in the past; how scientists use models,'
  ❌ Invalid title line: 'climate to change across different time scales and how those factors interact; how climate has changed in the past; how scientists use models,'
  ➜ Parsing at 5316: 'observations and theory to make predictions about future climate; and the possible consequences of climate change for our planet. The course'

🔍 parse_program: starting at line 5316: 'observations and theory to make predictions about future climate; and the possible consequences of climate change for our planet. The course'
  ➜ Title candidate: 'observations and theory to make predictions about future climate; and the possible consequences of climate change for our planet. The course'
  ❌ Invalid title line: 'observations and theory to make predictions about future climate; and the possible consequences of climate change for our planet. The course'
  ➜ Parsing at 5317: 'explores evidence for changes in ocean temperature, sea level and acidity due to global warming. Students will learn how climate change today is'

🔍 parse_program: starting at line 5317: 'explores evidence for changes in ocean temperature, sea level and acidity due to global warming. Students will learn how climate change today is'
  ➜ Title candidate: 'explores evidence for changes in ocean temperature, sea level and acidity due to global warming. Students will learn how climate change today is'
  ❌ Invalid title line: 'explores evidence for changes in ocean temperature, sea level and acidity due to global warming. Students will learn how climate change today is'
  ➜ Parsing at 5318: 'different from past climate cycles and how satellites and other technologies are revealing the global signals of a changing climate. Finally, the course'

🔍 parse_program: starting at line 5318: 'different from past climate cycles and how satellites and other technologies are revealing the global signals of a changing climate. Finally, the course'
  ➜ Title candidate: 'different from past climate cycles and how satellites and other technologies are revealing the global signals of a changing climate. Finally, the course'
  ❌ Invalid title line: 'different from past climate cycles and how satellites and other technologies are revealing the global signals of a changing climate. Finally, the course'
  ➜ Parsing at 5319: 'looks at the connection between human activity and the current warming trend and considers some of the potential social, economic and'

🔍 parse_program: starting at line 5319: 'looks at the connection between human activity and the current warming trend and considers some of the potential social, economic and'
  ➜ Title candidate: 'looks at the connection between human activity and the current warming trend and considers some of the potential social, economic and'
  ❌ Invalid title line: 'looks at the connection between human activity and the current warming trend and considers some of the potential social, economic and'
  ➜ Parsing at 5320: 'environmental consequences of climate change.'

🔍 parse_program: starting at line 5320: 'environmental consequences of climate change.'
  ➜ Title candidate: 'environmental consequences of climate change.'
  ❌ Invalid title line: 'environmental consequences of climate change.'
  ➜ Parsing at 5321: 'C266 - The Ocean Systems - In this course, learners investigate the complex ocean system by looking at the way its components—atmosphere,'

🔍 parse_program: starting at line 5321: 'C266 - The Ocean Systems - In this course, learners investigate the complex ocean system by looking at the way its components—atmosphere,'
  ➜ Title candidate: 'C266 - The Ocean Systems - In this course, learners investigate the complex ocean system by looking at the way its components—atmosphere,'
  ❌ Invalid title line: 'C266 - The Ocean Systems - In this course, learners investigate the complex ocean system by looking at the way its components—atmosphere,'
  ➜ Parsing at 5322: 'biosphere, geosphere, hydrosphere—interact. Specific topics include: origins of Earth’s oceans and the early history of life; physical characteristics'

🔍 parse_program: starting at line 5322: 'biosphere, geosphere, hydrosphere—interact. Specific topics include: origins of Earth’s oceans and the early history of life; physical characteristics'
  ➜ Title candidate: 'biosphere, geosphere, hydrosphere—interact. Specific topics include: origins of Earth’s oceans and the early history of life; physical characteristics'
  ❌ Invalid title line: 'biosphere, geosphere, hydrosphere—interact. Specific topics include: origins of Earth’s oceans and the early history of life; physical characteristics'
  ➜ Parsing at 5323: 'and geologic processes of the ocean floor; chemistry of the water molecule; energy flow between air and water, and how ocean surface currents and'

🔍 parse_program: starting at line 5323: 'and geologic processes of the ocean floor; chemistry of the water molecule; energy flow between air and water, and how ocean surface currents and'
  ➜ Title candidate: 'and geologic processes of the ocean floor; chemistry of the water molecule; energy flow between air and water, and how ocean surface currents and'
  ❌ Invalid title line: 'and geologic processes of the ocean floor; chemistry of the water molecule; energy flow between air and water, and how ocean surface currents and'
  ➜ Parsing at 5324: 'deep circulation patterns affect weather and climate; marine biology and why ecosystems are an integral part of the ocean system; the effects of'

🔍 parse_program: starting at line 5324: 'deep circulation patterns affect weather and climate; marine biology and why ecosystems are an integral part of the ocean system; the effects of'
  ➜ Title candidate: 'deep circulation patterns affect weather and climate; marine biology and why ecosystems are an integral part of the ocean system; the effects of'
  ❌ Invalid title line: 'deep circulation patterns affect weather and climate; marine biology and why ecosystems are an integral part of the ocean system; the effects of'
  ➜ Parsing at 5325: 'human activity; and the role of professional educators in teaching about ocean systems.'

🔍 parse_program: starting at line 5325: 'human activity; and the role of professional educators in teaching about ocean systems.'
  ➜ Title candidate: 'human activity; and the role of professional educators in teaching about ocean systems.'
  ❌ Invalid title line: 'human activity; and the role of professional educators in teaching about ocean systems.'
  ➜ Parsing at 5326: '© Western Governors University 7/19/17 152'

🔍 parse_program: starting at line 5326: '© Western Governors University 7/19/17 152'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'C267 - Climate Change - This course explores the science of climate change. Students will learn how the climate system works; what factors cause'
  ➜ Skipping stray line: 'climate to change across different time scales and how those factors interact; how climate has changed in the past; how scientists use models,'
  ➜ Skipping stray line: 'observations and theory to make predictions about future climate; and the possible consequences of climate change for our planet. The course'
  ➜ Skipping stray line: 'explores evidence for changes in ocean temperature, sea level and acidity due to global warming. Students will learn how climate change today is'
  ➜ Skipping stray line: 'different from past climate cycles and how satellites and other technologies are revealing the global signals of a changing climate. Finally, the course'
  ➜ Skipping stray line: 'looks at the connection between human activity and the current warming trend and considers some of the potential social, economic and'
  ➜ Skipping stray line: 'environmental consequences of climate change.'
  ➜ Skipping stray line: 'C268 - Spreadsheets - The Spreadsheets course will help students become proficient in using spreadsheets to analyze business problems. Students'
  ➜ Skipping stray line: 'will demonstrate competency in spreadsheet development and analysis for business/accounting applications (e.g., using essential spreadsheet'
  ➜ Skipping stray line: 'functions, formulas, charts, etc.)'
  ➜ Skipping stray line: 'C269 - Children's Literature - This course is an introduction to and exploration of children’s literature. Students will consider and analyze children’s'
  ➜ Skipping stray line: 'literature as a lens through which to view the world. Students will experience multiple genres, historical perspectives, cultural representations and'
  ➜ Skipping stray line: 'current applications to the field of children’s literature.'
  ➜ Skipping stray line: 'C272 - Foundational Perspectives of Education - This course provides an introduction to the historical, legal, and philosophical foundations of'
  ➜ Skipping stray line: 'education. Current educational trends, reform movements, major federal and state laws, legal and ethical responsibilities, and an overview of'
  ➜ Skipping stray line: 'standards-based curriculum are the focus of the course. The course of study presents a discussion of changes and challenges in contemporary'
  ➜ Skipping stray line: 'education. It covers the diversity found in American schools, introduces emerging educational technology trends, and provides an overview of'
  ➜ Skipping stray line: 'contemporary topics in education.'
  ➜ Skipping stray line: 'C273 - Introduction to Sociology - This course teaches students to think like sociologists, in other words, to see and understand the hidden rules, or'
  ➜ Skipping stray line: 'norms, by which people live, and how they free or restrain behavior. Students will learn about socializing institutions, such as schools and families, as'
  ➜ Skipping stray line: 'well as workplace organizations and governments. Participants will also learn how people deviate from the rules by challenging norms, and how such'
  ➜ Skipping stray line: 'behavior may result in social change, either on a large scale or within small groups.'
  ➜ Skipping stray line: 'C277 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ➜ Skipping stray line: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ➜ Skipping stray line: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ➜ Skipping stray line: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C278 - College Algebra - This course provides further application and analysis of algebraic concepts and functions through mathematical modeling of'
  ➜ Skipping stray line: 'real-world situations. Topics include: real numbers, algebraic expressions, equations and inequalities, graphs and functions, polynomial and rational'
  ➜ Skipping stray line: 'functions, exponential and logarithmic functions, and systems of linear equations.'
  ➜ Skipping stray line: 'C280 - Probability and Statistics I - Probability and Statistics I covers the knowledge and skills necessary to apply basic probability, descriptive'
  ➜ Skipping stray line: 'statistics, and statistical reasoning, and to use appropriate technology to model and solve real-life problems. It provides an introduction to the science'
  ➜ Skipping stray line: 'of collecting, processing, analyzing, and interpreting data. Topics include creating and interpreting numerical summaries and visual displays of data;'
  ➜ Skipping stray line: 'regression lines and correlation; evaluating sampling methods and their effect on possible conclusions; designing observational studies, controlled'
  ➜ Skipping stray line: 'experiments, and surveys; and determining probabilities using simulations, diagrams, and probability rules. College Algebra is a prerequisite for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'C281 - College Geometry - College Geometry covers the knowledge and skills necessary to apply geometry to model and solve real-life problems, to'
  ➜ Skipping stray line: 'do formal axiomatic proofs in geometry, and to use dynamic technology to explore geometry. Topics include axiomatic systems and analytic proof;'
  ➜ Skipping stray line: 'non-Euclidean geometries; construction, analytic, and synthetic methods for investigating and proving properties and relationships of two- and three-'
  ➜ Skipping stray line: 'dimensional objects; geometric transformations, tessellations, and using inductive reasoning; concrete models; and dynamic technology to conduct'
  ➜ Skipping stray line: 'geometric investigations. College Algebra and Pre-Calculus are prerequisites for this course.'
  ➜ Skipping stray line: 'C282 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to use'
  ➜ Skipping stray line: 'differential calculus of one variable and appropriate technology to solve basic problems. Topics include graphing functions and finding their domains'
  ➜ Skipping stray line: 'and ranges; limits, continuity, differentiability, visual, analytical, and conceptual approaches to the definition of the derivative; the power, chain, and'
  ➜ Skipping stray line: 'sum rules applied to polynomial and exponential functions, position and velocity; and L'Hopital's Rule. Candidates should have completed a course in'
  ➜ Skipping stray line: 'Pre-Calculus before engaging in this course.'
  ➜ Skipping stray line: 'C283 - Calculus II - Calculus II is the study of the accumulation of change in relation to the area under a curve. It covers the knowledge and skills'
  ➜ Skipping stray line: 'necessary to apply integral calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include'
  ➜ Skipping stray line: 'antiderivatives; indefinite integrals; the substitution rule; Riemann sums; the Fundamental Theorem of Calculus; definite integrals; acceleration,'
  ➜ Skipping stray line: 'velocity, position, and initial values; integration by parts; integration by trigonometric substitution; integration by partial fractions; numerical integration;'
  ➜ Skipping stray line: 'improper integration; area between curves; volumes and surface areas of revolution; arc length; work; center of mass; separable differential equations;'
  ➜ Skipping stray line: 'direction fields; growth and decay problems; and sequences. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C284 - Mathematics Learning and Teaching - Mathematics Learning and Teaching will help you develop the knowledge and skills necessary to'
  ➜ Skipping stray line: 'become a prospective and practicing educator. You will be able to use a variety of instructional strategies to effectively facilitate the learning of'
  ➜ Skipping stray line: 'mathematics. This course focuses on selecting appropriate resources, using multiple strategies, and instructional planning, with methods based on'
  ➜ Skipping stray line: 'research and problem solving. A deep understanding of the knowledge, skills, and disposition of mathematics pedagogy is necessary to become an'
  ➜ Skipping stray line: 'effective secondary mathematics educator. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C285 - Mathematics History and Technology - Mathematics History and Technology introduces a variety of technological tools for doing'
  ➜ Skipping stray line: 'mathematics, and you will develop a broad understanding of the historical development of mathematics. You will come to understand that'
  ➜ Skipping stray line: 'mathematics is a very human subject that comes from the macro-level sweep of cultural and societal change, as well as the micro-level actions of'
  ➜ Skipping stray line: 'individuals with personal, professional, and philosophical motivations. Most importantly, you will learn to evaluate and apply technological tools and'
  ➜ Skipping stray line: 'historical information to create an enriching student-centered mathematical learning environment. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C288 - General Chemistry I - Chemistry is the study of matter. Everything you see and many of the things you don’t see are made up of atoms. By'
  ➜ Skipping stray line: 'understanding these atoms and their interactions, chemists have been able to cure disease, travel to the moon, and feed a growing world. By'
  ➜ Skipping stray line: 'understanding chemistry, you will find your own world expanded. You will find boiling water interesting and the back of the shampoo bottle fascinating.'
  ➜ Skipping stray line: 'The National Science Teachers Association (NSTA) has published principles and standards that address important chemistry topics that should be'
  ➜ Skipping stray line: 'covered through the K-12 curriculum. Many states have followed the NSTA’s lead and are increasingly requiring that these concepts be taught to the'
  ➜ Skipping stray line: 'students throughout the course of their science education. A firm grasp of the concepts covered in this course will allow you to confidently teach this'
  ➜ Skipping stray line: 'material when you enter the classroom.'
  ➜ Skipping stray line: 'C289 - General Chemistry II - Chemistry is the study of matter. Everything you see and many of the things you don’t see are made up of atoms. By'
  ➜ Skipping stray line: 'understanding these atoms and their interactions. chemists have been able to cure disease, travel to the moon, and feed a growing world. By'
  ➜ Skipping stray line: 'understanding chemistry, you will find your own world expanded. You will find boiling water interesting and the back of the shampoo bottle'
  ➜ Skipping stray line: 'fascinating.The National Science Teachers Association (NSTA) has published principles and standards that address important chemistry topics that'
  ➜ Skipping stray line: 'should be covered through the K-12 curriculum. Many states have followed the NSTA’s lead and are increasingly requiring that these concepts be'
  ➜ Skipping stray line: 'taught to the students throughout the course of their science education. A firm grasp of the concepts covered in this course will allow you to'
  ➜ Skipping stray line: 'confidently teach this material when you enter the classroom.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 153'
  ➜ Skipping stray line: 'C299 - Designing Customized Security - The course provides an introduction to the core security concepts and skills needed for the installation,'
  ➜ Skipping stray line: 'monitoring, and troubleshooting of network security features to maintain the integrity, confidentiality, and availability of data and devices. Successfully'
  ➜ Skipping stray line: 'completing this course will certify these skills. You will also develop competency in the technologies that Cisco uses in its security infrastructure.'
  ➜ Skipping stray line: 'Recommended Experience: You should possess a current Cisco Certified Network Administrator in Routing and Switching certification. This course'
  ➜ Skipping stray line: 'prepares students for the following certification exam: Cisco CCNA Security.'
  ➜ Skipping stray line: 'C301 - Translational Research for Practice and Populations - This graduate-level course builds on your baccalaureate-level statistical knowledge'
  ➜ Skipping stray line: 'to help you develop skills in analyzing, interpreting, and translating research into nursing practice using principles of patient-centered care and'
  ➜ Skipping stray line: 'applications to individuals and populations'
  ➜ Skipping stray line: 'C304 - Professional Roles and Values - This course explores the unique role nurses play in healthcare, beginning with the history and evolution of'
  ➜ Skipping stray line: 'the nursing profession. The responsibilities and accountability of professional nurses are covered, including cultural competency, advocacy for patient'
  ➜ Skipping stray line: 'rights, and the legal and ethical issues related to supervision and delegation. Professional conduct, leadership, the public image of nursing, the work'
  ➜ Skipping stray line: 'environment, and issues of social justice are also addressed.'
  ➜ Skipping stray line: 'C306 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ➜ Skipping stray line: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ➜ Skipping stray line: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ➜ Skipping stray line: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C307 - Supervised Demonstration Teaching in Elementary Education, Observations 1 and 2 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C308 - Supervised Demonstration Teaching in Elementary Education, Observation 3 and Midterm - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C309 - Supervised Demonstration Teaching in Elementary Education, Observations 4 and 5 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C310 - Supervised Demonstration Teaching in Elementary Education, Observation 6 and Final - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C311 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 1 and 2 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C312 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 3 and Midterm - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C313 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 4 and 5 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C314 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 6 and Final - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C315 - Supervised Demonstration Teaching in Mathematics, Observations 1 and 2 - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C316 - Supervised Demonstration Teaching in Mathematics, Observation 3 and Midterm - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C317 - Supervised Demonstration Teaching in Mathematics, Observations 4 and 5 - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C318 - Supervised Demonstration Teaching in Mathematics, Observation 6 and Final - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C319 - Supervised Demonstration Teaching in Science, Observations 1 and 2 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C320 - Supervised Demonstration Teaching in Science, Observation 3 and Midterm - Supervised Demonstration Teaching in Science involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C321 - Supervised Demonstration Teaching in Science, Observations 4 and 5 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C322 - Supervised Demonstration Teaching in Science, Observation 6 and Final - Supervised Demonstration Teaching in Science involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C323 - Supervised Demonstration Teaching in Elementary Education, Observations 1 and 2 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C324 - Supervised Demonstration Teaching in Elementary Education, Observation 3 and Midterm - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C325 - Supervised Demonstration Teaching in Elementary Education, Observations 4 and 5 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 154'
  ➜ Skipping stray line: 'C326 - Supervised Demonstration Teaching in Elementary Education, Observation 6 and Final - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C327 - Supervised Demonstration Teaching in Mathematics, Observations 1 and 2 - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C328 - Supervised Demonstration Teaching in Mathematics, Observation 3 and Midterm - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C329 - Supervised Demonstration Teaching in Mathematics, Observations 4 and 5 - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C330 - Supervised Demonstration Teaching in Mathematics, Observation 6 and Final - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C331 - Supervised Demonstration Teaching in Science, Observations 1 and 2 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C332 - Supervised Demonstration Teaching in Science, Observation 3 and Midterm - Supervised Demonstration Teaching in Science involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C333 - Supervised Demonstration Teaching in Science, Observations 4 and 5 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C334 - Supervised Demonstration Teaching in Science, Observation 6 and Final - Supervised Demonstration Teaching in Science involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C339 - Cohort Seminar - Cohort Seminar provides mentoring and supports teacher candidates during their demonstration teaching period by'
  ➜ Skipping stray line: 'providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates their demonstration of competence in'
  ➜ Skipping stray line: 'becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom, exploring community resources, building'
  ➜ Skipping stray line: 'collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'
  ➜ Skipping stray line: 'C340 - Cohort Seminar in Special Education - Cohort Seminar in Special Education provides mentoring and supports teacher candidates during'
  ➜ Skipping stray line: 'their demonstration teaching period by providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates'
  ➜ Skipping stray line: 'their demonstration of competence in becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom,'
  ➜ Skipping stray line: 'exploring community resources, building collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'
  ➜ Skipping stray line: 'C341 - Cohort Seminar - Cohort Seminar provides mentoring and supports teacher candidates during their demonstration teaching period by'
  ➜ Skipping stray line: 'providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates their demonstration of competence in'
  ➜ Skipping stray line: 'becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom, exploring community resources, building'
  ➜ Skipping stray line: 'collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'
  ➜ Skipping stray line: 'C347 - Professional Portfolio - You will create an online teaching portfolio that includes professional artifacts (e.g. resume and Philosophy of'
  ➜ Skipping stray line: 'Teaching Statement) that demonstrate the skills you have acquired throughout your Demonstration Teaching experience.'
  ➜ Skipping stray line: 'C348 - Professional Portfolio - You will create an online teaching portfolio that includes professional artifacts (e.g. resume and Philosophy of'
  ➜ Skipping stray line: 'Teaching Statement) that demonstrate the skills you have acquired throughout your Demonstration Teaching experience.'
  ➜ Skipping stray line: 'C349 - Health Assessment - The Health Assessment course is designed to enhance students’ knowledge and skills in health promotion, the early'
  ➜ Skipping stray line: 'detection of illness and prevention of disease. To that end the course provides relevant content and skills necessary to perform a comprehensive'
  ➜ Skipping stray line: 'physical assessment of patients throughout the lifespan. Students are engaged in these processes through interviewing, history taking and'
  ➜ Skipping stray line: 'demonstration of an advanced-level physical examination. Dominant models, theories and perspectives related to evidence-based wellness practices'
  ➜ Skipping stray line: 'and health education strategies also are included in this challenging course. Competency is measured through successful completion of two'
  ➜ Skipping stray line: 'performance tasks. It is recommended that students plan to complete C349 in four to six weeks.'
  ➜ Skipping stray line: 'C350 - Comprehensive Health Assessment for Patients and Populations - In this course, students will learn about the principles of health'
  ➜ Skipping stray line: 'assessment from the individual to the global level. Students will learn to perform a comprehensive functional health assessment that includes social'
  ➜ Skipping stray line: 'structures, family history, and environmental situations, from the individual patient to the population. This course builds on prior knowledge gained in'
  ➜ Skipping stray line: 'previous courses and in nursing practice, in areas such as pathophysiology, pharmacology, and epidemiology, and focus on applying this knowledge'
  ➜ Skipping stray line: 'in various populations with common disorders.'
  ➜ Skipping stray line: 'This course is roughly divided into three parts:'
  ➜ Skipping stray line: '• Advanced health assessment focusing on abnormal findings for common disease.'
  ➜ Skipping stray line: '• Integrating health assessment findings into a population, considering such issue as culture, spirituality, and continuum.'
  ➜ Skipping stray line: '• Functionality of clients based upon the problems and populations.'
  ➜ Skipping stray line: 'C351 - Professional Presence and Influence - Who we are and how we behave affects others. Our professional presence in therapeutic settings'
  ➜ Skipping stray line: 'can support or inhibit well-being not only in patients, but also in the rest of the health care team, in the family and support system of the patients, and'
  ➜ Skipping stray line: 'in the health care organization as a whole. This course will help registered nurses manage this impact by recognizing situations and practices that'
  ➜ Skipping stray line: 'support a positive environment and cultivating actions and responses to achieve and maintain this environment. The growth of self-knowledge will'
  ➜ Skipping stray line: 'expand nurses’ ability to direct influence in ways that are intended rather than in random or destructive ways.'
  ➜ Skipping stray line: 'C352 - Contemporary Pharmacotherapeutics - This course provides the opportunity to acquire advanced knowledge and skills in the therapeutic'
  ➜ Skipping stray line: 'use of pharmacologic agents, herbals, and supplements. Students will explore the pharmacologic treatment of major health problems and examine the'
  ➜ Skipping stray line: 'principles of pharmacogenomics. The effects of culture, ethnicity, age, pregnancy, gender, healthcare setting, and funding of pharmacologic therapy'
  ➜ Skipping stray line: 'will be emphasized. Legal aspects of prescribing will be fully addressed. Case studies will be utilized to present some of these concepts.'
  ➜ Skipping stray line: 'C358 - Foundations of Nursing Education - This graduate level course in the education specialty core examines the contemporary issues of nursing'
  ➜ Skipping stray line: 'education. While traditional contexts for learning are included, students will also focus on modern technology and trends in nursing education.'
  ➜ Skipping stray line: 'Students will explore curriculum development, educational philosophy, theories and models, instruction and evaluation, as well as e-learning,'
  ➜ Skipping stray line: 'simulations, and current technology in nursing education.'
  ➜ Skipping stray line: 'C359 - Future Directions in Contemporary Learning and Education - This course builds on previously developed concepts acquired in'
  ➜ Skipping stray line: 'Foundations of Nursing Education and Facilitating Learning in the 21st Century. This course will explore how changes in the economy, advancements'
  ➜ Skipping stray line: 'in science, and the explosion of technology have created a paradigm shift in nursing education. Graduates will further explore the role of the educator'
  ➜ Skipping stray line: 'and the application of innovative education strategies.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 155'
  ➜ Skipping stray line: 'C360 - Teacher Work Sample in English Language Learning - The Teacher Work Sample is a culmination of the wide variety of skills learned'
  ➜ Skipping stray line: 'during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of'
  ➜ Skipping stray line: 'your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C361 - Evidence Based Practice and Applied Nursing Research - The Evidence Based Practice and Applied Nursing Research course will help'
  ➜ Skipping stray line: 'you to learn how to design and conduct research to answer important questions about improving nursing practice and patient care delivery outcomes.'
  ➜ Skipping stray line: 'After you are introduced to the basics of evidence-based practice, you will continue to implement the principles throughout your clinical experience.'
  ➜ Skipping stray line: 'This will allow you to graduate with more competence and confidence to become a leader in the healing environment.'
  ➜ Skipping stray line: 'C362 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to apply'
  ➜ Skipping stray line: 'differential calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include functions, limits, continuity,'
  ➜ Skipping stray line: 'differentiability, visual, analytical, and conceptual approaches to the definition of the derivative, the power, chain, sum, product, and quotient rules'
  ➜ Skipping stray line: 'applied to polynomial, trigonometric, exponential, and logarithmic functions, implicit differentiation, position, velocity, and acceleration, optimization,'
  ➜ Skipping stray line: 'related rates, curve sketching, and L'Hopital's Rule. Pre-Calculus is a pre-requisite for this course.'
  ➜ Skipping stray line: 'C363 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to apply'
  ➜ Skipping stray line: 'differential calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include functions, limits, continuity,'
  ➜ Skipping stray line: 'differentiability, visual, analytical, and conceptual approaches to the definition of the derivative, the power, chain, sum, product, and quotient rules'
  ➜ Skipping stray line: 'applied to polynomial, trigonometric, exponential, and logarithmic functions, implicit differentiation, position, velocity, and acceleration, optimization,'
  ➜ Skipping stray line: 'related rates, curve sketching, and L'Hopital's Rule. Pre-Calculus is a pre-requisite for this course.'
  ➜ Skipping stray line: 'C365 - Language Arts Instruction and Intervention - Language Arts Instruction and Intervention helps students learn how to implement effective'
  ➜ Skipping stray line: 'language arts instruction and intervention in the elementary classroom. Topics include written and spoken English, expanding students' knowledge,'
  ➜ Skipping stray line: 'literature rich environments, differentiated instruction, technology for reading and writing, assessment strategies for reading and writing, and strategies'
  ➜ Skipping stray line: 'for developing academic language.'
  ➜ Skipping stray line: 'C367 - Elementary Physical Education and Health Methods - Elementary Physical Education and Health Methods helps students learn how to'
  ➜ Skipping stray line: 'implement effective physical and health education instruction in the elementary classroom. Topics include healthy lifestyles, student safety, student'
  ➜ Skipping stray line: 'nutrition, physical education, differentiated instruction for physical and health education, physical education across the curriculum, and public policy in'
  ➜ Skipping stray line: 'health and physical education.'
  ➜ Skipping stray line: 'C368 - Instructional Planning and Presentation in Elementary Education - Instructional Planning and Presentation assists students as they'
  ➜ Skipping stray line: 'continue to build instructional planning skills. Topics include unit and lesson planning, instructional presentation strategies, assessment, engagement,'
  ➜ Skipping stray line: 'integration of learning across the curriculum, effective grouping strategies, technology in the classroom, and using data to inform instruction.'
  ➜ Skipping stray line: 'C369 - Instructional Planning and Presentation in Science - Students will continue to build instructional planning skills with a focus on selecting'
  ➜ Skipping stray line: 'appropriate materials for diverse learners, selecting age- and ability- appropriate strategies for the content areas, promoting critical thinking, and'
  ➜ Skipping stray line: 'establishing both short- and long- term goals'
  ➜ Skipping stray line: 'C375 - Survey of World History - Through a thematic approach, this course explores the history of human societies over 5,000 years. Students'
  ➜ Skipping stray line: 'examine political and social structures, religious beliefs, economic systems, and patterns in trade, as well as many cultural attributes that came to'
  ➜ Skipping stray line: 'distinguish different societies around the globe over time. Special attention is given to relationships between these societies and the way geographic'
  ➜ Skipping stray line: 'and environmental factors influence human development.'
  ➜ Skipping stray line: 'C380 - Language Arts Instruction and Intervention - Language Arts Instruction and Intervention helps students learn how to implement effective'
  ➜ Skipping stray line: 'language arts instruction and intervention in the elementary classroom. Topics include written and spoken English, expanding students' knowledge,'
  ➜ Skipping stray line: 'literature rich environments, differentiated instruction, technology for reading and writing, assessment strategies for reading and writing, and strategies'
  ➜ Skipping stray line: 'for developing academic language.'
  ➜ Skipping stray line: 'C381 - Elementary Mathematics Methods - Elementary Mathematics Methods helps students learn how to implement effective math instruction in'
  ➜ Skipping stray line: 'the elementary classroom. Topics include differentiated math instruction, mathematical communication, mathematical tools for instruction, assessing'
  ➜ Skipping stray line: 'math understanding, integrating math across the curriculum, critical thinking development, standards based math instruction, and mathematical'
  ➜ Skipping stray line: 'models and representation.'
  ➜ Skipping stray line: 'C382 - Elementary Science Methods - Elementary Science Methods helps students learn how to implement effective science instruction in the'
  ➜ Skipping stray line: 'elementary classroom. Topics include processes of science, science inquiry, science learning environments, instructional strategies for science,'
  ➜ Skipping stray line: 'differentiated instruction for science, assessing science understanding, technology for science instruction, standards based science instruction,'
  ➜ Skipping stray line: 'integrating science across curriculum, and science beyond the classroom.'
  ➜ Skipping stray line: 'C388 - Science, Technology, and Society - Science, Technology, and Society explores the ways in which science influences and is influenced by'
  ➜ Skipping stray line: 'society and technology. A humanistic and social endeavor, science serves the needs of ever-changing societies by providing methods for observing,'
  ➜ Skipping stray line: 'questioning, discovering, and communicating information about the physical and natural world. This course prepares educators to explain the nature'
  ➜ Skipping stray line: 'and history of science, the various applications of science, and the scientific and engineering processes used to conduct investigations, make'
  ➜ Skipping stray line: 'decisions, and solve problems. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C389 - Science, Technology, and Society - Science, Technology, and Society explores the ways in which science influences and is influenced by'
  ➜ Skipping stray line: 'society and technology. A humanistic and social endeavor, science serves the needs of ever-changing societies by providing methods for observing,'
  ➜ Skipping stray line: 'questioning, discovering, and communicating information about the physical and natural world. This course prepares educators to explain the nature'
  ➜ Skipping stray line: 'and history of science, the various applications of science, and the scientific and engineering processes used to conduct investigations, make'
  ➜ Skipping stray line: 'decisions, and solve problems. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C393 - IT Foundations - IT Foundations is the first course in a two-part series preparatory for the CompTIA A+ exam, Part I. Students will gain an'
  ➜ Skipping stray line: 'understanding of personal computer components and their functions in a desktop system, as well as computer data storage and retrieval; classifying,'
  ➜ Skipping stray line: 'installing, configuring, optimizing, upgrading, and troubleshooting printers, laptops, portable devices, operating systems, networks, and system'
  ➜ Skipping stray line: 'security; recommending appropriate tools, diagnostic procedures, preventative maintenance and troubleshooting techniques for personal computer'
  ➜ Skipping stray line: 'components in a desktop system; strategies for identifying, preventing, and reporting safety hazards and environmental/human accidents in a'
  ➜ Skipping stray line: 'technological environments; and effective communication with colleagues and clients as well as job-related professional behavior.'
  ➜ Skipping stray line: 'C394 - IT Applications - IT Applications is a continuation of the IT Foundations course preparatory for the CompTIA A+ exam, Part II.'
  ➜ Skipping stray line: 'Students will gain an understanding of personal computer components and their functions in a desktop system. Also covered is computer data storage'
  ➜ Skipping stray line: 'and retrieval, including classifying, installing, configuring, optimizing, upgrading, and troubleshooting printers, laptops, portable devices, operating'
  ➜ Skipping stray line: 'systems, networks, and system security. Other areas include recommending appropriate tools, diagnostic procedures, preventative maintenance and'
  ➜ Skipping stray line: 'troubleshooting techniques for personal computer components in a desktop system. The course then finished with strategies for identifying,'
  ➜ Skipping stray line: 'preventing, and reporting safety hazards and environmental/human accidents in a technological environments, and effective communication with'
  ➜ Skipping stray line: 'colleagues and clients as well as job-related professional behavior.'
  ➜ Skipping stray line: 'C395 - Instructional Planning and Presentation in English - Applications in Instructional Planning and Presentation in English, as a continuation of'
  ➜ Skipping stray line: 'the Instructional Planning and Presentation course, helps students apply, analyze, and reflect on effective classroom instruction.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 156'
  ➜ Skipping stray line: 'C396 - English Pedagogy - English Pedagogy examines pedagogical applications for the teaching of reading, literature, composition, and related'
  ➜ Skipping stray line: 'English Language Arts (ELA) content and skills for middle and secondary schools. Focused on fostering and developing pedagogical content'
  ➜ Skipping stray line: 'knowledge in the aforementioned areas, students will analyze assessment strategies and incorporate methods of literacy instruction into their'
  ➜ Skipping stray line: 'instructional planning to meet the needs of diverse learners. This course helps students prepare and develop skills for classroom practice, lesson'
  ➜ Skipping stray line: 'planning, and working in school settings. C397 Preclinical Experiences in English is a prerequisite.'
  ➜ Skipping stray line: 'C397 - Preclinical Experiences in English - Preclinical Experiences in English provides students the opportunity to observe and participate in a wide'
  ➜ Skipping stray line: 'range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will reflect on'
  ➜ Skipping stray line: 'and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required to meet'
  ➜ Skipping stray line: 'several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C398 - Supervised Demonstration Teaching in English, Observations 1 and 2 - Supervised Demonstration Teaching in English involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C399 - Supervised Demonstration Teaching in English, Observation 3 and Midterm - Supervised Demonstration Teaching in English involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C400 - Supervised Demonstration Teaching in English, Observations 4 and 5 - Supervised Demonstration Teaching in English involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C401 - Supervised Demonstration Teaching in English, Observation 6 and Final - Supervised Demonstration Teaching in English involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C405 - Anatomy and Physiology II - This course introduces advanced concepts of human anatomy and physiology, through the investigation of the'
  ➜ Skipping stray line: 'structures and functions of the body's organ systems. Students will have the opportunity to explore the body through laboratory experience and apply'
  ➜ Skipping stray line: 'the concepts covered in this course. For nursing students this is the second of two anatomy and physiology courses within the program of study.'
  ➜ Skipping stray line: 'C410 - Collaborative Leadership Project - The purpose of this course is to practice applying collaborative leadership skills in an innovative'
  ➜ Skipping stray line: 'environment while engaging with a community. You will combine innovation with leadership to serve patients. You will also identify an innovation'
  ➜ Skipping stray line: 'process that will serve the Navajo Area Indian Health Services (NAIHS) facility in the Navajo Nation. The main task will be to collaborate with'
  ➜ Skipping stray line: 'stakeholders on the proposed process to address obesity.'
  ➜ Skipping stray line: 'C417 - Analytical Methods of Healthcare Professionals - This course explores the significance of research and statistics in care management. You'
  ➜ Skipping stray line: 'will start by examining the role of evidence-based decisions in care management and how to evaluate the quality of research used to make those'
  ➜ Skipping stray line: 'decisions. You will examine the role of statistics in making evidence-based decisions about care management. Finally, you will learn how statistics are'
  ➜ Skipping stray line: 'used in healthcare and how to test the validity of statistics in order to make informed care management decisions.'
  ➜ Skipping stray line: 'C421 - Health Information Technology Project - A medical group has decided to move forward with the organizational initiative of reducing health'
  ➜ Skipping stray line: 'disparities, increasing access, and improving outcomes by leading a cooperative of local healthcare organizations in a Community Health Information'
  ➜ Skipping stray line: 'Exchange System (CHIES) expansion plan founded on the governor’s vision to advance HIEs. You will complete an assessment of a CHIE, propose'
  ➜ Skipping stray line: 'an updated Electronic Health Records System (EHRS), and complete a CHIE feasibility assessment.'
  ➜ Skipping stray line: 'C423 - Challenges in Community Health Project - Community-based integrated healthcare requires skills in communication, management, and'
  ➜ Skipping stray line: 'resource utilization among healthcare personnel, healthcare organizations, and community and state entities. You will apply appropriate actions and'
  ➜ Skipping stray line: 'strategies consistent with the organizational mission, values, and needs in interactions with community leaders and members of the community. You'
  ➜ Skipping stray line: 'will learn and demonstrate utilization of communication and collaboration skills and the evaluation and application of data in problem-solving skills at'
  ➜ Skipping stray line: 'both the organizational and community level.'
  ➜ Skipping stray line: 'C424 - Integrated Healthcare Project - You will develop and present a comprehensive case study and business plan that proposes an integrated'
  ➜ Skipping stray line: 'system that includes, at a minimum, a health plan, hospitals, skilled nursing homes, and home health organizations to meet the rising health demands'
  ➜ Skipping stray line: 'of the baby-boomer population. You will choose an area of the U.S. with existing healthcare organizations, and present a model of an “open delivery'
  ➜ Skipping stray line: 'system” that serves as a financial hedge, enables experimentation, integrates culture (patient population demographics and regional healthcare'
  ➜ Skipping stray line: 'values and principles), incentives wellness and preventative care), and is value-based and consumer driven.'
  ➜ Skipping stray line: 'C425 - Healthcare Delivery Systems, Regulation, and Compliance - This course provides an overview of the U.S. healthcare system and focuses'
  ➜ Skipping stray line: 'on developing an understanding of the various sectors and roles involved in this complex industry. Policy and compliance issues are also addressed to'
  ➜ Skipping stray line: 'facilitate an appreciation for the highly regulated nature of healthcare delivery.'
  ➜ Skipping stray line: 'C426 - Healthcare Values and Ethics - This course explores ethical standards and considerations common to the healthcare environment such as'
  ➜ Skipping stray line: 'access to care, confidentiality, the allocation of limited resources, and billing practices. This course also focuses on the distinct value system'
  ➜ Skipping stray line: 'associated with the healthcare industry, as well as the values of professionalism.'
  ➜ Skipping stray line: 'C427 - Technology Applications in Healthcare - This course explores how technology continues to change and influence the healthcare industry.'
  ➜ Skipping stray line: 'Practical managerial applications are explored as well as the legal, ethical, and practical aspects of access to health and disease information.'
  ➜ Skipping stray line: 'Ensuring the protection of private health information is also emphasized.'
  ➜ Skipping stray line: 'C428 - Financial Resource Management in Healthcare - This course examines the financial environment of the healthcare industry including'
  ➜ Skipping stray line: 'principles involved in managed care. It also explores the revenue and expense structures for different sectors within the industry while emphasizing'
  ➜ Skipping stray line: 'funding and reimbursement practices of healthcare.'
  ➜ Skipping stray line: 'C429 - Healthcare Operations Management - This course builds upon basic principles of management, organizational behavior, and leadership.'
  ➜ Skipping stray line: 'Specific processes and business principles for managing operations in interdependent and multi-disciplinary healthcare organizations are explored.'
  ➜ Skipping stray line: 'Marketing strategies, communication skills, and the ability to establish and maintain relationships while ensuring productivity that is efficient, safe, and'
  ➜ Skipping stray line: 'meets the needs of all stakeholders is emphasized.'
  ➜ Skipping stray line: 'C430 - Healthcare Quality Improvement and Risk Management - This course emphasizes principles of quality management and risk management'
  ➜ Skipping stray line: 'in order to ensure safety, maximize patient outcomes, and continuously improve organizational outcomes. This course also examines the broader'
  ➜ Skipping stray line: 'impact of organizational culture and its influence on productivity, quality, and risk.'
  ➜ Skipping stray line: 'C431 - Healthcare Research and Statistics - This course builds upon an understanding of research methods and quantitative analysis. Concepts of'
  ➜ Skipping stray line: 'population health, epidemiology, and evidence-based practices provide the foundation for understanding the importance of data for informing'
  ➜ Skipping stray line: 'healthcare organizational decisions.'
  ➜ Skipping stray line: 'C432 - Healthcare Management and Strategy - This course builds upon basic principles of strategic management and explores healthcare'
  ➜ Skipping stray line: 'organizational structures and processes. The importance of the collaborative nature and interrelationships among business functions is emphasized.'
  ➜ Skipping stray line: 'Creating a healthcare vision and designing business plans within a healthcare environment is also examined.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 157'
  ➜ Skipping stray line: 'C433 - Integrated Healthcare Management Capstone Project - The capstone project is a student-designed project intended to illustrate your ability'
  ➜ Skipping stray line: 'to effect change in the industry and demonstrate competence in all five core competencies of the curriculum. You are required to collaborate with'
  ➜ Skipping stray line: 'leaders in the healthcare industry to identify opportunities for improvement in healthcare, propose a solution, and perform a business analysis to'
  ➜ Skipping stray line: 'evaluate its feasibility. In addition, the capstone project encourages work in the healthcare industry that will be showcased in your collection of work'
  ➜ Skipping stray line: 'and help solidify professional relationships in the industry.'
  ➜ Skipping stray line: 'C439 - Healthcare Management Capstone - This course is the culminating experience and assessment of healthcare business administration. This'
  ➜ Skipping stray line: 'course requires the student to integrate and synthesize managerial skills with healthcare knowledge, resulting in a high quality final project that'
  ➜ Skipping stray line: 'demonstrates professional managerial proficiency.'
  ➜ Skipping stray line: 'C451 - Integrated Natural Science - Integrated Natural Sciences explores the natural world through an integrated perspective and helps students'
  ➜ Skipping stray line: 'begin to see and draw numerous connections among events in the natural world. Topics include the universe, the Earth, ecosystems and organisms.'
  ➜ Skipping stray line: 'C452 - Integrated Natural Science Applications - Integrated Natural Sciences Applications explores the natural world through an integrated'
  ➜ Skipping stray line: 'perspective and helps students apply scientific concepts and methodologies to the examination of natural science fundamentals.'
  ➜ Skipping stray line: 'C453 - Clinical Microbiology - Clinical Microbiology introduces general concepts, methods, and applications of microbiology from a health sciences'
  ➜ Skipping stray line: 'perspective. The course is designed to provide healthcare professionals with a basic understanding of how various diseases are transmitted and'
  ➜ Skipping stray line: 'controlled. Students will examine the structure and function of microorganisms, including the roles that they play in causing major diseases. The'
  ➜ Skipping stray line: 'course also explores immunological, pathological and epidemiological factors associated with disease. To assist students in developing an applied,'
  ➜ Skipping stray line: 'patient-focused understanding of microbiology, this course is complimented by several lab experiments which allow students to: practice aseptic'
  ➜ Skipping stray line: 'techniques, grow bacteria and fungi, identify characteristics of bacteria and yeast based on biochemical and environmental tests, determine antibiotic'
  ➜ Skipping stray line: 'susceptibility, discover the microorganisms growing on objects and surfaces, and determine the Gram characteristic of bacteria. This course has no'
  ➜ Skipping stray line: 'pre-requisites.'
  ➜ Skipping stray line: 'C455 - English Composition I - English Composition I introduces learners to the types of writing and thinking that are valued in college and beyond.'
  ➜ Skipping stray line: 'Students will practice writing in several genres with emphasis placed on writing and revising academic arguments. Instruction and exercises in'
  ➜ Skipping stray line: 'grammar, mechanics, research documentation, and style are paired with each module so that writers can practice these skills as necessary.'
  ➜ Skipping stray line: 'Comp I is a foundational course designed to help students prepare for success at the college level.'
  ➜ Skipping stray line: 'There are no prerequisites for English Composition I.'
  ➜ Skipping stray line: 'C456 - English Composition II - English Composition II introduces undergraduate students to research writing. It is a foundational course designed to'
  ➜ Skipping stray line: 'help students prepare for advanced writing within the discipline and to complete the capstone. Specifically, this course will help students develop or'
  ➜ Skipping stray line: 'improve research, reference citation, document organization, and writing skills. English Composition I or equivalent is a prerequisite for this course.'
  ➜ Skipping stray line: 'C457 - Foundations of College Mathematics - Foundations of College Mathematics addresses the sequence of learning activities necessary to build'
  ➜ Skipping stray line: 'competence in foundational concepts of College Mathematics, which include whole numbers, fractions, decimals, ratios, proportions and percents,'
  ➜ Skipping stray line: 'geometry, statistics, the real number system, equations, inequalities, applications, and graphs of linear equations.'
  ➜ Skipping stray line: 'C458 - Health, Fitness and Wellness - Health, Fitness and Wellness focuses on the importance and foundations of good health and physical fitness,'
  ➜ Skipping stray line: 'particularly for children and adolescents, addressing health, nutrition, fitness, and substance use and abuse.'
  ➜ Skipping stray line: 'C459 - Introduction to Probability and Statistics - In this course, students demonstrate competency in the basic concepts, logic, and issues'
  ➜ Skipping stray line: 'involved in statistical reasoning. Topics include summarizing and analyzing data, sampling and study design, and probability.'
  ➜ Skipping stray line: 'C460 - Mathematics for Elementary Educators I - Mathematics for Elementary Educators I engages pre-service elementary teachers in'
  ➜ Skipping stray line: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in problem solving, set theory,'
  ➜ Skipping stray line: 'number theory, whole numbers and integers. This is the first course in a three-course sequence.'
  ➜ Skipping stray line: 'C461 - Mathematics for Elementary Educators II - This course engages pre-service elementary teachers in mathematical practices based on deep'
  ➜ Skipping stray line: 'understanding of underlying concepts. This course takes the arithmetic of the first course and generalizes it into algebraic reasoning. The course also'
  ➜ Skipping stray line: 'touches on important topics in probability. This is the second course in a three-course sequence.'
  ➜ Skipping stray line: 'C462 - Mathematics for Elementary Educators III - Mathematics for Elementary Educators III engages pre-service elementary teachers in'
  ➜ Skipping stray line: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in statistics, measurement, and'
  ➜ Skipping stray line: 'covers geometry from synthetic, transformational, and coordinate perspectives. This is the third course in a three-course sequence.'
  ➜ Skipping stray line: 'C463 - Intermediate Algebra - This course provides an introduction of algebraic concepts and the development of the essential groundwork for'
  ➜ Skipping stray line: 'College Algebra. Topics include: A review of basic mathematical skills, the real number system, algebraic expressions, linear equations, graphing,'
  ➜ Skipping stray line: 'exponents and polynomials'
  ➜ Skipping stray line: 'C464 - Introduction to Communication - This introductory communication course allows students to become familiar with the fundamental'
  ➜ Skipping stray line: 'communication theories and practices necessary to engage in healthy professional and personal relationships. Students will survey human'
  ➜ Skipping stray line: 'communication on multiple levels and critically apply the theoretical grounding of the course to interpersonal, intercultural, small group, and public'
  ➜ Skipping stray line: 'presentational contexts. The course also encourages students to consider the influence of language, perception, culture, and media on their daily'
  ➜ Skipping stray line: 'communicative interactions. In addition to theory, students will engage in the application of effective communication skills through systematically'
  ➜ Skipping stray line: 'preparing and delivering an oral presentation. By practicing these fundamental skills in human communication, students become more competent'
  ➜ Skipping stray line: 'communicators as they develop more flexible, useful, and discriminatory communicative practices in a variety of contexts.'
  ➜ Skipping stray line: 'C465 - Care of the Developing Family - .'
  ➜ Skipping stray line: 'C466 - Medication Dosage Calculations - In Medication Dosage Calculations, students learn about individualized drug dosing concepts, including:'
  ➜ Skipping stray line: 'different measurement systems, solid and liquid medications, calculating dosages based on body weight or body surface area, interpreting drug labels'
  ➜ Skipping stray line: 'and abbreviations, and common medication errors.'
  ➜ Skipping stray line: 'C467 - Pharmacology - Pharmacology covers concepts in pharmacology including drug classification and effects, the role of the nurse in drug'
  ➜ Skipping stray line: 'therapy, preparation and administration of drugs, and ethical and legal issues surrounding medication administration. The Institute of Medicine reports'
  ➜ Skipping stray line: 'that cited medication errors as the most common medical errors, costing billions of dollars and harming up to 1.5 million people every year. Medication'
  ➜ Skipping stray line: 'errors are often the result of nurses failing to follow proper procedures. The pharmacology course covers the following concepts: the nursing process'
  ➜ Skipping stray line: 'in relation to drug therapy; the role of pharmacological principles in nursing; the role of the nurse in pharmacy and lifespan considerations; cultural,'
  ➜ Skipping stray line: 'ethical, and legal considerations; education and substance abuse; and gene therapy and pharmacology. This course introduces the nursing student to'
  ➜ Skipping stray line: 'these concepts and continues to integrate pharmacology throughout the clinical courses within the program.'
  ➜ Skipping stray line: 'C468 - Information Management and the Application of Technology - Information Management and the Application of Technology helps the'
  ➜ Skipping stray line: 'student learn how to identify and implement the unique responsibilities of nurses related to the application of technology and the management of'
  ➜ Skipping stray line: 'patient information. This includes: understanding the evolving role of nurse informaticists; demonstrating the skills needed to use electronic health'
  ➜ Skipping stray line: 'records; identifying nurse-sensitive outcomes that lead to quality improvement measures; supporting the contributions of nurses to patient care;'
  ➜ Skipping stray line: 'examining workflow changes related to the implementation of computerized management systems; and learning to analyze the implications of new'
  ➜ Skipping stray line: 'technology on security, practice, and research.'
  ➜ Skipping stray line: 'C469 - Caring Arts and Science Across the Lifespan Part I - Caring Arts and Science Across the Lifespan Part I introduces nursing fundamentals'
  ➜ Skipping stray line: 'which speak to the core of all nursing care by assessing the needs of patients with compassion and respect; advocating for patients and their families;'
  ➜ Skipping stray line: 'providing education and comfort; and integrating patient needs into a plan of care that embraces individuality, diversity, and belief. Students continue'
  ➜ Skipping stray line: 'to learn about fundamental nursing skills within their didactic environment and will be provided time to practice in a learning lab environment.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 158'
  ➜ Skipping stray line: 'C470 - Caring Arts and Science Across the Lifespan Part I Clinical Learning - This course includes all aspects of clinical learning related to the'
  ➜ Skipping stray line: 'fundamentals of nursing practice. Learning labs will teach and assess task skill knowledge including physical assessment, safe medication'
  ➜ Skipping stray line: 'administration, oxygenation; nutrition, metabolism, & elimination; skin integrity, activity, & mobility; and cognition. Students who are successful in lab'
  ➜ Skipping stray line: 'assessments will progress to live patient clinicals and will be assessed for their mastery of basic levels of the key behaviors for clinical practice of a'
  ➜ Skipping stray line: 'novice nursing student.'
  ➜ Skipping stray line: 'C471 - Caring Arts and Science Across the Lifespan Part II - Caring Arts and Science Across the Lifespan Part II topics include management of'
  ➜ Skipping stray line: 'the perioperative care continuum; patient centered care of the adult; care of the adult with alterations in circulation; car of the adult with alterations in'
  ➜ Skipping stray line: 'cardiovascular function; care of the adult with alterations in oxygenation; care of the adult with alterations in neurosensory function; fundamental'
  ➜ Skipping stray line: 'patient self-determination & advocacy; and end-of-life care. This course incorporates virtual simulations into the didactic course to help students'
  ➜ Skipping stray line: 'prepare for their learning labs and clinical learning experience. Patient scenarios for the virtual simulations include: fluid & electrolyte imbalance; blood'
  ➜ Skipping stray line: 'transfusion reaction; severe reaction to antibiotic; pulmonary embolism; and postoperative complications with a fracture.'
  ➜ Skipping stray line: 'C472 - Caring Arts and Science Across the Lifespan Part II Clinical Learning - The clinical learning course for CASAL II includes all aspects of'
  ➜ Skipping stray line: 'clinical learning related to medical surgical nursing practice. Learning labs will teach and assess task skill knowledge progressing to high fidelity'
  ➜ Skipping stray line: 'simulation scenarios to develop mastery of situated use of knowledge and synthesis of knowledge in clinical scenarios that focus on perioperative'
  ➜ Skipping stray line: 'care. The virtual simulations that students completed in didactic will prepare them for their learning lab scenarios. Students who are successful in lab'
  ➜ Skipping stray line: 'assessments will progress to live patient clinicals and will be assessed for their mastery of basic levels of the key behaviors for clinical practice of'
  ➜ Skipping stray line: 'Medical Surgical nursing.'
  ➜ Skipping stray line: 'C473 - Care of Adults with Complex Illnesses - The Care of Adults with Complex Illnesses course builds on prior knowledge of medical surgical'
  ➜ Skipping stray line: 'nursing care and common conditions, focusing on diseases and conditions that affect the neuromuscular system, the musculoskeletal system, the'
  ➜ Skipping stray line: 'kidneys, the pancreas, and diseases such as cancer and impaired immunity, which affect every part of the body. Students will develop mastery of'
  ➜ Skipping stray line: 'competencies related to advanced medical surgical nursing practice. This course also utilizes virtual simulation scenarios to help students prepare for'
  ➜ Skipping stray line: 'their learning labs and their clinical intensives. Students work through the following patient scenarios: diabetes/hypoglycemia; postop abdominal'
  ➜ Skipping stray line: 'hysterectomy/opioid intoxication; acute severe asthma; acute myocardial infarction; and respiratory system disease.'
  ➜ Skipping stray line: 'C474 - Clinical Learning for Complex Illnesses in Adults - Clinical Care of Adults with Complex Illnesses includes all aspects of clinical learning'
  ➜ Skipping stray line: 'related to advanced medical surgical nursing practice. Learning labs will teach and assess advanced clinical competencies through the use of high'
  ➜ Skipping stray line: 'fidelity simulation and advanced clinical debriefing for clinical scenarios. Students participate in skills related to advance medication administration,'
  ➜ Skipping stray line: 'central venous devices, and peripherally inserted central catheters. The virtual simulations that students completed in didactic will prepare them for'
  ➜ Skipping stray line: 'their learning lab scenarios. Students who are successful in simulation assessments will progress to live patient clinicals and will be assessed for their'
  ➜ Title candidate: 'mastery of advanced levels of the key behaviors for clinical practice of Medical Surgical nursing.'
  ✔️ Collected description (1790 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 5327: 'C267 - Climate Change - This course explores the science of climate change. Students will learn how the climate system works; what factors cause'

🔍 parse_program: starting at line 5327: 'C267 - Climate Change - This course explores the science of climate change. Students will learn how the climate system works; what factors cause'
  ➜ Title candidate: 'C267 - Climate Change - This course explores the science of climate change. Students will learn how the climate system works; what factors cause'
  ❌ Invalid title line: 'C267 - Climate Change - This course explores the science of climate change. Students will learn how the climate system works; what factors cause'
  ➜ Parsing at 5328: 'climate to change across different time scales and how those factors interact; how climate has changed in the past; how scientists use models,'

🔍 parse_program: starting at line 5328: 'climate to change across different time scales and how those factors interact; how climate has changed in the past; how scientists use models,'
  ➜ Title candidate: 'climate to change across different time scales and how those factors interact; how climate has changed in the past; how scientists use models,'
  ❌ Invalid title line: 'climate to change across different time scales and how those factors interact; how climate has changed in the past; how scientists use models,'
  ➜ Parsing at 5329: 'observations and theory to make predictions about future climate; and the possible consequences of climate change for our planet. The course'

🔍 parse_program: starting at line 5329: 'observations and theory to make predictions about future climate; and the possible consequences of climate change for our planet. The course'
  ➜ Title candidate: 'observations and theory to make predictions about future climate; and the possible consequences of climate change for our planet. The course'
  ❌ Invalid title line: 'observations and theory to make predictions about future climate; and the possible consequences of climate change for our planet. The course'
  ➜ Parsing at 5330: 'explores evidence for changes in ocean temperature, sea level and acidity due to global warming. Students will learn how climate change today is'

🔍 parse_program: starting at line 5330: 'explores evidence for changes in ocean temperature, sea level and acidity due to global warming. Students will learn how climate change today is'
  ➜ Title candidate: 'explores evidence for changes in ocean temperature, sea level and acidity due to global warming. Students will learn how climate change today is'
  ❌ Invalid title line: 'explores evidence for changes in ocean temperature, sea level and acidity due to global warming. Students will learn how climate change today is'
  ➜ Parsing at 5331: 'different from past climate cycles and how satellites and other technologies are revealing the global signals of a changing climate. Finally, the course'

🔍 parse_program: starting at line 5331: 'different from past climate cycles and how satellites and other technologies are revealing the global signals of a changing climate. Finally, the course'
  ➜ Title candidate: 'different from past climate cycles and how satellites and other technologies are revealing the global signals of a changing climate. Finally, the course'
  ❌ Invalid title line: 'different from past climate cycles and how satellites and other technologies are revealing the global signals of a changing climate. Finally, the course'
  ➜ Parsing at 5332: 'looks at the connection between human activity and the current warming trend and considers some of the potential social, economic and'

🔍 parse_program: starting at line 5332: 'looks at the connection between human activity and the current warming trend and considers some of the potential social, economic and'
  ➜ Title candidate: 'looks at the connection between human activity and the current warming trend and considers some of the potential social, economic and'
  ❌ Invalid title line: 'looks at the connection between human activity and the current warming trend and considers some of the potential social, economic and'
  ➜ Parsing at 5333: 'environmental consequences of climate change.'

🔍 parse_program: starting at line 5333: 'environmental consequences of climate change.'
  ➜ Title candidate: 'environmental consequences of climate change.'
  ❌ Invalid title line: 'environmental consequences of climate change.'
  ➜ Parsing at 5334: 'C268 - Spreadsheets - The Spreadsheets course will help students become proficient in using spreadsheets to analyze business problems. Students'

🔍 parse_program: starting at line 5334: 'C268 - Spreadsheets - The Spreadsheets course will help students become proficient in using spreadsheets to analyze business problems. Students'
  ➜ Title candidate: 'C268 - Spreadsheets - The Spreadsheets course will help students become proficient in using spreadsheets to analyze business problems. Students'
  ❌ Invalid title line: 'C268 - Spreadsheets - The Spreadsheets course will help students become proficient in using spreadsheets to analyze business problems. Students'
  ➜ Parsing at 5335: 'will demonstrate competency in spreadsheet development and analysis for business/accounting applications (e.g., using essential spreadsheet'

🔍 parse_program: starting at line 5335: 'will demonstrate competency in spreadsheet development and analysis for business/accounting applications (e.g., using essential spreadsheet'
  ➜ Title candidate: 'will demonstrate competency in spreadsheet development and analysis for business/accounting applications (e.g., using essential spreadsheet'
  ❌ Invalid title line: 'will demonstrate competency in spreadsheet development and analysis for business/accounting applications (e.g., using essential spreadsheet'
  ➜ Parsing at 5336: 'functions, formulas, charts, etc.)'

🔍 parse_program: starting at line 5336: 'functions, formulas, charts, etc.)'
  ➜ Title candidate: 'functions, formulas, charts, etc.)'
  ❌ Invalid title line: 'functions, formulas, charts, etc.)'
  ➜ Parsing at 5337: 'C269 - Children's Literature - This course is an introduction to and exploration of children’s literature. Students will consider and analyze children’s'

🔍 parse_program: starting at line 5337: 'C269 - Children's Literature - This course is an introduction to and exploration of children’s literature. Students will consider and analyze children’s'
  ➜ Title candidate: 'C269 - Children's Literature - This course is an introduction to and exploration of children’s literature. Students will consider and analyze children’s'
  ❌ Invalid title line: 'C269 - Children's Literature - This course is an introduction to and exploration of children’s literature. Students will consider and analyze children’s'
  ➜ Parsing at 5338: 'literature as a lens through which to view the world. Students will experience multiple genres, historical perspectives, cultural representations and'

🔍 parse_program: starting at line 5338: 'literature as a lens through which to view the world. Students will experience multiple genres, historical perspectives, cultural representations and'
  ➜ Title candidate: 'literature as a lens through which to view the world. Students will experience multiple genres, historical perspectives, cultural representations and'
  ❌ Invalid title line: 'literature as a lens through which to view the world. Students will experience multiple genres, historical perspectives, cultural representations and'
  ➜ Parsing at 5339: 'current applications to the field of children’s literature.'

🔍 parse_program: starting at line 5339: 'current applications to the field of children’s literature.'
  ➜ Title candidate: 'current applications to the field of children’s literature.'
  ❌ Invalid title line: 'current applications to the field of children’s literature.'
  ➜ Parsing at 5340: 'C272 - Foundational Perspectives of Education - This course provides an introduction to the historical, legal, and philosophical foundations of'

🔍 parse_program: starting at line 5340: 'C272 - Foundational Perspectives of Education - This course provides an introduction to the historical, legal, and philosophical foundations of'
  ➜ Title candidate: 'C272 - Foundational Perspectives of Education - This course provides an introduction to the historical, legal, and philosophical foundations of'
  ❌ Invalid title line: 'C272 - Foundational Perspectives of Education - This course provides an introduction to the historical, legal, and philosophical foundations of'
  ➜ Parsing at 5341: 'education. Current educational trends, reform movements, major federal and state laws, legal and ethical responsibilities, and an overview of'

🔍 parse_program: starting at line 5341: 'education. Current educational trends, reform movements, major federal and state laws, legal and ethical responsibilities, and an overview of'
  ➜ Title candidate: 'education. Current educational trends, reform movements, major federal and state laws, legal and ethical responsibilities, and an overview of'
  ❌ Invalid title line: 'education. Current educational trends, reform movements, major federal and state laws, legal and ethical responsibilities, and an overview of'
  ➜ Parsing at 5342: 'standards-based curriculum are the focus of the course. The course of study presents a discussion of changes and challenges in contemporary'

🔍 parse_program: starting at line 5342: 'standards-based curriculum are the focus of the course. The course of study presents a discussion of changes and challenges in contemporary'
  ➜ Title candidate: 'standards-based curriculum are the focus of the course. The course of study presents a discussion of changes and challenges in contemporary'
  ❌ Invalid title line: 'standards-based curriculum are the focus of the course. The course of study presents a discussion of changes and challenges in contemporary'
  ➜ Parsing at 5343: 'education. It covers the diversity found in American schools, introduces emerging educational technology trends, and provides an overview of'

🔍 parse_program: starting at line 5343: 'education. It covers the diversity found in American schools, introduces emerging educational technology trends, and provides an overview of'
  ➜ Title candidate: 'education. It covers the diversity found in American schools, introduces emerging educational technology trends, and provides an overview of'
  ❌ Invalid title line: 'education. It covers the diversity found in American schools, introduces emerging educational technology trends, and provides an overview of'
  ➜ Parsing at 5344: 'contemporary topics in education.'

🔍 parse_program: starting at line 5344: 'contemporary topics in education.'
  ➜ Title candidate: 'contemporary topics in education.'
  ❌ Invalid title line: 'contemporary topics in education.'
  ➜ Parsing at 5345: 'C273 - Introduction to Sociology - This course teaches students to think like sociologists, in other words, to see and understand the hidden rules, or'

🔍 parse_program: starting at line 5345: 'C273 - Introduction to Sociology - This course teaches students to think like sociologists, in other words, to see and understand the hidden rules, or'
  ➜ Title candidate: 'C273 - Introduction to Sociology - This course teaches students to think like sociologists, in other words, to see and understand the hidden rules, or'
  ❌ Invalid title line: 'C273 - Introduction to Sociology - This course teaches students to think like sociologists, in other words, to see and understand the hidden rules, or'
  ➜ Parsing at 5346: 'norms, by which people live, and how they free or restrain behavior. Students will learn about socializing institutions, such as schools and families, as'

🔍 parse_program: starting at line 5346: 'norms, by which people live, and how they free or restrain behavior. Students will learn about socializing institutions, such as schools and families, as'
  ➜ Title candidate: 'norms, by which people live, and how they free or restrain behavior. Students will learn about socializing institutions, such as schools and families, as'
  ❌ Invalid title line: 'norms, by which people live, and how they free or restrain behavior. Students will learn about socializing institutions, such as schools and families, as'
  ➜ Parsing at 5347: 'well as workplace organizations and governments. Participants will also learn how people deviate from the rules by challenging norms, and how such'

🔍 parse_program: starting at line 5347: 'well as workplace organizations and governments. Participants will also learn how people deviate from the rules by challenging norms, and how such'
  ➜ Title candidate: 'well as workplace organizations and governments. Participants will also learn how people deviate from the rules by challenging norms, and how such'
  ❌ Invalid title line: 'well as workplace organizations and governments. Participants will also learn how people deviate from the rules by challenging norms, and how such'
  ➜ Parsing at 5348: 'behavior may result in social change, either on a large scale or within small groups.'

🔍 parse_program: starting at line 5348: 'behavior may result in social change, either on a large scale or within small groups.'
  ➜ Title candidate: 'behavior may result in social change, either on a large scale or within small groups.'
  ❌ Invalid title line: 'behavior may result in social change, either on a large scale or within small groups.'
  ➜ Parsing at 5349: 'C277 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'

🔍 parse_program: starting at line 5349: 'C277 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ➜ Title candidate: 'C277 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ❌ Invalid title line: 'C277 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ➜ Parsing at 5350: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'

🔍 parse_program: starting at line 5350: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ➜ Title candidate: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ❌ Invalid title line: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ➜ Parsing at 5351: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'

🔍 parse_program: starting at line 5351: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ➜ Title candidate: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ❌ Invalid title line: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ➜ Parsing at 5352: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'

🔍 parse_program: starting at line 5352: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ➜ Title candidate: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ❌ Invalid title line: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ➜ Parsing at 5353: 'C278 - College Algebra - This course provides further application and analysis of algebraic concepts and functions through mathematical modeling of'

🔍 parse_program: starting at line 5353: 'C278 - College Algebra - This course provides further application and analysis of algebraic concepts and functions through mathematical modeling of'
  ➜ Title candidate: 'C278 - College Algebra - This course provides further application and analysis of algebraic concepts and functions through mathematical modeling of'
  ❌ Invalid title line: 'C278 - College Algebra - This course provides further application and analysis of algebraic concepts and functions through mathematical modeling of'
  ➜ Parsing at 5354: 'real-world situations. Topics include: real numbers, algebraic expressions, equations and inequalities, graphs and functions, polynomial and rational'

🔍 parse_program: starting at line 5354: 'real-world situations. Topics include: real numbers, algebraic expressions, equations and inequalities, graphs and functions, polynomial and rational'
  ➜ Title candidate: 'real-world situations. Topics include: real numbers, algebraic expressions, equations and inequalities, graphs and functions, polynomial and rational'
  ❌ Invalid title line: 'real-world situations. Topics include: real numbers, algebraic expressions, equations and inequalities, graphs and functions, polynomial and rational'
  ➜ Parsing at 5355: 'functions, exponential and logarithmic functions, and systems of linear equations.'

🔍 parse_program: starting at line 5355: 'functions, exponential and logarithmic functions, and systems of linear equations.'
  ➜ Title candidate: 'functions, exponential and logarithmic functions, and systems of linear equations.'
  ❌ Invalid title line: 'functions, exponential and logarithmic functions, and systems of linear equations.'
  ➜ Parsing at 5356: 'C280 - Probability and Statistics I - Probability and Statistics I covers the knowledge and skills necessary to apply basic probability, descriptive'

🔍 parse_program: starting at line 5356: 'C280 - Probability and Statistics I - Probability and Statistics I covers the knowledge and skills necessary to apply basic probability, descriptive'
  ➜ Title candidate: 'C280 - Probability and Statistics I - Probability and Statistics I covers the knowledge and skills necessary to apply basic probability, descriptive'
  ❌ Invalid title line: 'C280 - Probability and Statistics I - Probability and Statistics I covers the knowledge and skills necessary to apply basic probability, descriptive'
  ➜ Parsing at 5357: 'statistics, and statistical reasoning, and to use appropriate technology to model and solve real-life problems. It provides an introduction to the science'

🔍 parse_program: starting at line 5357: 'statistics, and statistical reasoning, and to use appropriate technology to model and solve real-life problems. It provides an introduction to the science'
  ➜ Title candidate: 'statistics, and statistical reasoning, and to use appropriate technology to model and solve real-life problems. It provides an introduction to the science'
  ❌ Invalid title line: 'statistics, and statistical reasoning, and to use appropriate technology to model and solve real-life problems. It provides an introduction to the science'
  ➜ Parsing at 5358: 'of collecting, processing, analyzing, and interpreting data. Topics include creating and interpreting numerical summaries and visual displays of data;'

🔍 parse_program: starting at line 5358: 'of collecting, processing, analyzing, and interpreting data. Topics include creating and interpreting numerical summaries and visual displays of data;'
  ➜ Title candidate: 'of collecting, processing, analyzing, and interpreting data. Topics include creating and interpreting numerical summaries and visual displays of data;'
  ❌ Invalid title line: 'of collecting, processing, analyzing, and interpreting data. Topics include creating and interpreting numerical summaries and visual displays of data;'
  ➜ Parsing at 5359: 'regression lines and correlation; evaluating sampling methods and their effect on possible conclusions; designing observational studies, controlled'

🔍 parse_program: starting at line 5359: 'regression lines and correlation; evaluating sampling methods and their effect on possible conclusions; designing observational studies, controlled'
  ➜ Title candidate: 'regression lines and correlation; evaluating sampling methods and their effect on possible conclusions; designing observational studies, controlled'
  ❌ Invalid title line: 'regression lines and correlation; evaluating sampling methods and their effect on possible conclusions; designing observational studies, controlled'
  ➜ Parsing at 5360: 'experiments, and surveys; and determining probabilities using simulations, diagrams, and probability rules. College Algebra is a prerequisite for this'

🔍 parse_program: starting at line 5360: 'experiments, and surveys; and determining probabilities using simulations, diagrams, and probability rules. College Algebra is a prerequisite for this'
  ➜ Title candidate: 'experiments, and surveys; and determining probabilities using simulations, diagrams, and probability rules. College Algebra is a prerequisite for this'
  ❌ Invalid title line: 'experiments, and surveys; and determining probabilities using simulations, diagrams, and probability rules. College Algebra is a prerequisite for this'
  ➜ Parsing at 5361: 'course.'

🔍 parse_program: starting at line 5361: 'course.'
  ➜ Title candidate: 'course.'
  ❌ Invalid title line: 'course.'
  ➜ Parsing at 5362: 'C281 - College Geometry - College Geometry covers the knowledge and skills necessary to apply geometry to model and solve real-life problems, to'

🔍 parse_program: starting at line 5362: 'C281 - College Geometry - College Geometry covers the knowledge and skills necessary to apply geometry to model and solve real-life problems, to'
  ➜ Title candidate: 'C281 - College Geometry - College Geometry covers the knowledge and skills necessary to apply geometry to model and solve real-life problems, to'
  ❌ Invalid title line: 'C281 - College Geometry - College Geometry covers the knowledge and skills necessary to apply geometry to model and solve real-life problems, to'
  ➜ Parsing at 5363: 'do formal axiomatic proofs in geometry, and to use dynamic technology to explore geometry. Topics include axiomatic systems and analytic proof;'

🔍 parse_program: starting at line 5363: 'do formal axiomatic proofs in geometry, and to use dynamic technology to explore geometry. Topics include axiomatic systems and analytic proof;'
  ➜ Title candidate: 'do formal axiomatic proofs in geometry, and to use dynamic technology to explore geometry. Topics include axiomatic systems and analytic proof;'
  ❌ Invalid title line: 'do formal axiomatic proofs in geometry, and to use dynamic technology to explore geometry. Topics include axiomatic systems and analytic proof;'
  ➜ Parsing at 5364: 'non-Euclidean geometries; construction, analytic, and synthetic methods for investigating and proving properties and relationships of two- and three-'

🔍 parse_program: starting at line 5364: 'non-Euclidean geometries; construction, analytic, and synthetic methods for investigating and proving properties and relationships of two- and three-'
  ➜ Title candidate: 'non-Euclidean geometries; construction, analytic, and synthetic methods for investigating and proving properties and relationships of two- and three-'
  ❌ Invalid title line: 'non-Euclidean geometries; construction, analytic, and synthetic methods for investigating and proving properties and relationships of two- and three-'
  ➜ Parsing at 5365: 'dimensional objects; geometric transformations, tessellations, and using inductive reasoning; concrete models; and dynamic technology to conduct'

🔍 parse_program: starting at line 5365: 'dimensional objects; geometric transformations, tessellations, and using inductive reasoning; concrete models; and dynamic technology to conduct'
  ➜ Title candidate: 'dimensional objects; geometric transformations, tessellations, and using inductive reasoning; concrete models; and dynamic technology to conduct'
  ❌ Invalid title line: 'dimensional objects; geometric transformations, tessellations, and using inductive reasoning; concrete models; and dynamic technology to conduct'
  ➜ Parsing at 5366: 'geometric investigations. College Algebra and Pre-Calculus are prerequisites for this course.'

🔍 parse_program: starting at line 5366: 'geometric investigations. College Algebra and Pre-Calculus are prerequisites for this course.'
  ➜ Title candidate: 'geometric investigations. College Algebra and Pre-Calculus are prerequisites for this course.'
  ❌ Invalid title line: 'geometric investigations. College Algebra and Pre-Calculus are prerequisites for this course.'
  ➜ Parsing at 5367: 'C282 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to use'

🔍 parse_program: starting at line 5367: 'C282 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to use'
  ➜ Title candidate: 'C282 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to use'
  ❌ Invalid title line: 'C282 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to use'
  ➜ Parsing at 5368: 'differential calculus of one variable and appropriate technology to solve basic problems. Topics include graphing functions and finding their domains'

🔍 parse_program: starting at line 5368: 'differential calculus of one variable and appropriate technology to solve basic problems. Topics include graphing functions and finding their domains'
  ➜ Title candidate: 'differential calculus of one variable and appropriate technology to solve basic problems. Topics include graphing functions and finding their domains'
  ❌ Invalid title line: 'differential calculus of one variable and appropriate technology to solve basic problems. Topics include graphing functions and finding their domains'
  ➜ Parsing at 5369: 'and ranges; limits, continuity, differentiability, visual, analytical, and conceptual approaches to the definition of the derivative; the power, chain, and'

🔍 parse_program: starting at line 5369: 'and ranges; limits, continuity, differentiability, visual, analytical, and conceptual approaches to the definition of the derivative; the power, chain, and'
  ➜ Title candidate: 'and ranges; limits, continuity, differentiability, visual, analytical, and conceptual approaches to the definition of the derivative; the power, chain, and'
  ❌ Invalid title line: 'and ranges; limits, continuity, differentiability, visual, analytical, and conceptual approaches to the definition of the derivative; the power, chain, and'
  ➜ Parsing at 5370: 'sum rules applied to polynomial and exponential functions, position and velocity; and L'Hopital's Rule. Candidates should have completed a course in'

🔍 parse_program: starting at line 5370: 'sum rules applied to polynomial and exponential functions, position and velocity; and L'Hopital's Rule. Candidates should have completed a course in'
  ➜ Title candidate: 'sum rules applied to polynomial and exponential functions, position and velocity; and L'Hopital's Rule. Candidates should have completed a course in'
  ❌ Invalid title line: 'sum rules applied to polynomial and exponential functions, position and velocity; and L'Hopital's Rule. Candidates should have completed a course in'
  ➜ Parsing at 5371: 'Pre-Calculus before engaging in this course.'

🔍 parse_program: starting at line 5371: 'Pre-Calculus before engaging in this course.'
  ➜ Title candidate: 'Pre-Calculus before engaging in this course.'
  ❌ Invalid title line: 'Pre-Calculus before engaging in this course.'
  ➜ Parsing at 5372: 'C283 - Calculus II - Calculus II is the study of the accumulation of change in relation to the area under a curve. It covers the knowledge and skills'

🔍 parse_program: starting at line 5372: 'C283 - Calculus II - Calculus II is the study of the accumulation of change in relation to the area under a curve. It covers the knowledge and skills'
  ➜ Title candidate: 'C283 - Calculus II - Calculus II is the study of the accumulation of change in relation to the area under a curve. It covers the knowledge and skills'
  ❌ Invalid title line: 'C283 - Calculus II - Calculus II is the study of the accumulation of change in relation to the area under a curve. It covers the knowledge and skills'
  ➜ Parsing at 5373: 'necessary to apply integral calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include'

🔍 parse_program: starting at line 5373: 'necessary to apply integral calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include'
  ➜ Title candidate: 'necessary to apply integral calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include'
  ❌ Invalid title line: 'necessary to apply integral calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include'
  ➜ Parsing at 5374: 'antiderivatives; indefinite integrals; the substitution rule; Riemann sums; the Fundamental Theorem of Calculus; definite integrals; acceleration,'

🔍 parse_program: starting at line 5374: 'antiderivatives; indefinite integrals; the substitution rule; Riemann sums; the Fundamental Theorem of Calculus; definite integrals; acceleration,'
  ➜ Title candidate: 'antiderivatives; indefinite integrals; the substitution rule; Riemann sums; the Fundamental Theorem of Calculus; definite integrals; acceleration,'
  ❌ Invalid title line: 'antiderivatives; indefinite integrals; the substitution rule; Riemann sums; the Fundamental Theorem of Calculus; definite integrals; acceleration,'
  ➜ Parsing at 5375: 'velocity, position, and initial values; integration by parts; integration by trigonometric substitution; integration by partial fractions; numerical integration;'

🔍 parse_program: starting at line 5375: 'velocity, position, and initial values; integration by parts; integration by trigonometric substitution; integration by partial fractions; numerical integration;'
  ➜ Title candidate: 'velocity, position, and initial values; integration by parts; integration by trigonometric substitution; integration by partial fractions; numerical integration;'
  ❌ Invalid title line: 'velocity, position, and initial values; integration by parts; integration by trigonometric substitution; integration by partial fractions; numerical integration;'
  ➜ Parsing at 5376: 'improper integration; area between curves; volumes and surface areas of revolution; arc length; work; center of mass; separable differential equations;'

🔍 parse_program: starting at line 5376: 'improper integration; area between curves; volumes and surface areas of revolution; arc length; work; center of mass; separable differential equations;'
  ➜ Title candidate: 'improper integration; area between curves; volumes and surface areas of revolution; arc length; work; center of mass; separable differential equations;'
  ❌ Invalid title line: 'improper integration; area between curves; volumes and surface areas of revolution; arc length; work; center of mass; separable differential equations;'
  ➜ Parsing at 5377: 'direction fields; growth and decay problems; and sequences. Calculus I is a prerequisite for this course.'

🔍 parse_program: starting at line 5377: 'direction fields; growth and decay problems; and sequences. Calculus I is a prerequisite for this course.'
  ➜ Title candidate: 'direction fields; growth and decay problems; and sequences. Calculus I is a prerequisite for this course.'
  ❌ Invalid title line: 'direction fields; growth and decay problems; and sequences. Calculus I is a prerequisite for this course.'
  ➜ Parsing at 5378: 'C284 - Mathematics Learning and Teaching - Mathematics Learning and Teaching will help you develop the knowledge and skills necessary to'

🔍 parse_program: starting at line 5378: 'C284 - Mathematics Learning and Teaching - Mathematics Learning and Teaching will help you develop the knowledge and skills necessary to'
  ➜ Title candidate: 'C284 - Mathematics Learning and Teaching - Mathematics Learning and Teaching will help you develop the knowledge and skills necessary to'
  ❌ Invalid title line: 'C284 - Mathematics Learning and Teaching - Mathematics Learning and Teaching will help you develop the knowledge and skills necessary to'
  ➜ Parsing at 5379: 'become a prospective and practicing educator. You will be able to use a variety of instructional strategies to effectively facilitate the learning of'

🔍 parse_program: starting at line 5379: 'become a prospective and practicing educator. You will be able to use a variety of instructional strategies to effectively facilitate the learning of'
  ➜ Title candidate: 'become a prospective and practicing educator. You will be able to use a variety of instructional strategies to effectively facilitate the learning of'
  ❌ Invalid title line: 'become a prospective and practicing educator. You will be able to use a variety of instructional strategies to effectively facilitate the learning of'
  ➜ Parsing at 5380: 'mathematics. This course focuses on selecting appropriate resources, using multiple strategies, and instructional planning, with methods based on'

🔍 parse_program: starting at line 5380: 'mathematics. This course focuses on selecting appropriate resources, using multiple strategies, and instructional planning, with methods based on'
  ➜ Title candidate: 'mathematics. This course focuses on selecting appropriate resources, using multiple strategies, and instructional planning, with methods based on'
  ❌ Invalid title line: 'mathematics. This course focuses on selecting appropriate resources, using multiple strategies, and instructional planning, with methods based on'
  ➜ Parsing at 5381: 'research and problem solving. A deep understanding of the knowledge, skills, and disposition of mathematics pedagogy is necessary to become an'

🔍 parse_program: starting at line 5381: 'research and problem solving. A deep understanding of the knowledge, skills, and disposition of mathematics pedagogy is necessary to become an'
  ➜ Title candidate: 'research and problem solving. A deep understanding of the knowledge, skills, and disposition of mathematics pedagogy is necessary to become an'
  ❌ Invalid title line: 'research and problem solving. A deep understanding of the knowledge, skills, and disposition of mathematics pedagogy is necessary to become an'
  ➜ Parsing at 5382: 'effective secondary mathematics educator. There are no prerequisites for this course.'

🔍 parse_program: starting at line 5382: 'effective secondary mathematics educator. There are no prerequisites for this course.'
  ➜ Title candidate: 'effective secondary mathematics educator. There are no prerequisites for this course.'
  ❌ Invalid title line: 'effective secondary mathematics educator. There are no prerequisites for this course.'
  ➜ Parsing at 5383: 'C285 - Mathematics History and Technology - Mathematics History and Technology introduces a variety of technological tools for doing'

🔍 parse_program: starting at line 5383: 'C285 - Mathematics History and Technology - Mathematics History and Technology introduces a variety of technological tools for doing'
  ➜ Title candidate: 'C285 - Mathematics History and Technology - Mathematics History and Technology introduces a variety of technological tools for doing'
  ❌ Invalid title line: 'C285 - Mathematics History and Technology - Mathematics History and Technology introduces a variety of technological tools for doing'
  ➜ Parsing at 5384: 'mathematics, and you will develop a broad understanding of the historical development of mathematics. You will come to understand that'

🔍 parse_program: starting at line 5384: 'mathematics, and you will develop a broad understanding of the historical development of mathematics. You will come to understand that'
  ➜ Title candidate: 'mathematics, and you will develop a broad understanding of the historical development of mathematics. You will come to understand that'
  ❌ Invalid title line: 'mathematics, and you will develop a broad understanding of the historical development of mathematics. You will come to understand that'
  ➜ Parsing at 5385: 'mathematics is a very human subject that comes from the macro-level sweep of cultural and societal change, as well as the micro-level actions of'

🔍 parse_program: starting at line 5385: 'mathematics is a very human subject that comes from the macro-level sweep of cultural and societal change, as well as the micro-level actions of'
  ➜ Title candidate: 'mathematics is a very human subject that comes from the macro-level sweep of cultural and societal change, as well as the micro-level actions of'
  ❌ Invalid title line: 'mathematics is a very human subject that comes from the macro-level sweep of cultural and societal change, as well as the micro-level actions of'
  ➜ Parsing at 5386: 'individuals with personal, professional, and philosophical motivations. Most importantly, you will learn to evaluate and apply technological tools and'

🔍 parse_program: starting at line 5386: 'individuals with personal, professional, and philosophical motivations. Most importantly, you will learn to evaluate and apply technological tools and'
  ➜ Title candidate: 'individuals with personal, professional, and philosophical motivations. Most importantly, you will learn to evaluate and apply technological tools and'
  ❌ Invalid title line: 'individuals with personal, professional, and philosophical motivations. Most importantly, you will learn to evaluate and apply technological tools and'
  ➜ Parsing at 5387: 'historical information to create an enriching student-centered mathematical learning environment. There are no prerequisites for this course.'

🔍 parse_program: starting at line 5387: 'historical information to create an enriching student-centered mathematical learning environment. There are no prerequisites for this course.'
  ➜ Title candidate: 'historical information to create an enriching student-centered mathematical learning environment. There are no prerequisites for this course.'
  ❌ Invalid title line: 'historical information to create an enriching student-centered mathematical learning environment. There are no prerequisites for this course.'
  ➜ Parsing at 5388: 'C288 - General Chemistry I - Chemistry is the study of matter. Everything you see and many of the things you don’t see are made up of atoms. By'

🔍 parse_program: starting at line 5388: 'C288 - General Chemistry I - Chemistry is the study of matter. Everything you see and many of the things you don’t see are made up of atoms. By'
  ➜ Title candidate: 'C288 - General Chemistry I - Chemistry is the study of matter. Everything you see and many of the things you don’t see are made up of atoms. By'
  ❌ Invalid title line: 'C288 - General Chemistry I - Chemistry is the study of matter. Everything you see and many of the things you don’t see are made up of atoms. By'
  ➜ Parsing at 5389: 'understanding these atoms and their interactions, chemists have been able to cure disease, travel to the moon, and feed a growing world. By'

🔍 parse_program: starting at line 5389: 'understanding these atoms and their interactions, chemists have been able to cure disease, travel to the moon, and feed a growing world. By'
  ➜ Title candidate: 'understanding these atoms and their interactions, chemists have been able to cure disease, travel to the moon, and feed a growing world. By'
  ❌ Invalid title line: 'understanding these atoms and their interactions, chemists have been able to cure disease, travel to the moon, and feed a growing world. By'
  ➜ Parsing at 5390: 'understanding chemistry, you will find your own world expanded. You will find boiling water interesting and the back of the shampoo bottle fascinating.'

🔍 parse_program: starting at line 5390: 'understanding chemistry, you will find your own world expanded. You will find boiling water interesting and the back of the shampoo bottle fascinating.'
  ➜ Title candidate: 'understanding chemistry, you will find your own world expanded. You will find boiling water interesting and the back of the shampoo bottle fascinating.'
  ❌ Invalid title line: 'understanding chemistry, you will find your own world expanded. You will find boiling water interesting and the back of the shampoo bottle fascinating.'
  ➜ Parsing at 5391: 'The National Science Teachers Association (NSTA) has published principles and standards that address important chemistry topics that should be'

🔍 parse_program: starting at line 5391: 'The National Science Teachers Association (NSTA) has published principles and standards that address important chemistry topics that should be'
  ➜ Title candidate: 'The National Science Teachers Association (NSTA) has published principles and standards that address important chemistry topics that should be'
  ❌ Invalid title line: 'The National Science Teachers Association (NSTA) has published principles and standards that address important chemistry topics that should be'
  ➜ Parsing at 5392: 'covered through the K-12 curriculum. Many states have followed the NSTA’s lead and are increasingly requiring that these concepts be taught to the'

🔍 parse_program: starting at line 5392: 'covered through the K-12 curriculum. Many states have followed the NSTA’s lead and are increasingly requiring that these concepts be taught to the'
  ➜ Title candidate: 'covered through the K-12 curriculum. Many states have followed the NSTA’s lead and are increasingly requiring that these concepts be taught to the'
  ❌ Invalid title line: 'covered through the K-12 curriculum. Many states have followed the NSTA’s lead and are increasingly requiring that these concepts be taught to the'
  ➜ Parsing at 5393: 'students throughout the course of their science education. A firm grasp of the concepts covered in this course will allow you to confidently teach this'

🔍 parse_program: starting at line 5393: 'students throughout the course of their science education. A firm grasp of the concepts covered in this course will allow you to confidently teach this'
  ➜ Title candidate: 'students throughout the course of their science education. A firm grasp of the concepts covered in this course will allow you to confidently teach this'
  ❌ Invalid title line: 'students throughout the course of their science education. A firm grasp of the concepts covered in this course will allow you to confidently teach this'
  ➜ Parsing at 5394: 'material when you enter the classroom.'

🔍 parse_program: starting at line 5394: 'material when you enter the classroom.'
  ➜ Title candidate: 'material when you enter the classroom.'
  ❌ Invalid title line: 'material when you enter the classroom.'
  ➜ Parsing at 5395: 'C289 - General Chemistry II - Chemistry is the study of matter. Everything you see and many of the things you don’t see are made up of atoms. By'

🔍 parse_program: starting at line 5395: 'C289 - General Chemistry II - Chemistry is the study of matter. Everything you see and many of the things you don’t see are made up of atoms. By'
  ➜ Title candidate: 'C289 - General Chemistry II - Chemistry is the study of matter. Everything you see and many of the things you don’t see are made up of atoms. By'
  ❌ Invalid title line: 'C289 - General Chemistry II - Chemistry is the study of matter. Everything you see and many of the things you don’t see are made up of atoms. By'
  ➜ Parsing at 5396: 'understanding these atoms and their interactions. chemists have been able to cure disease, travel to the moon, and feed a growing world. By'

🔍 parse_program: starting at line 5396: 'understanding these atoms and their interactions. chemists have been able to cure disease, travel to the moon, and feed a growing world. By'
  ➜ Title candidate: 'understanding these atoms and their interactions. chemists have been able to cure disease, travel to the moon, and feed a growing world. By'
  ❌ Invalid title line: 'understanding these atoms and their interactions. chemists have been able to cure disease, travel to the moon, and feed a growing world. By'
  ➜ Parsing at 5397: 'understanding chemistry, you will find your own world expanded. You will find boiling water interesting and the back of the shampoo bottle'

🔍 parse_program: starting at line 5397: 'understanding chemistry, you will find your own world expanded. You will find boiling water interesting and the back of the shampoo bottle'
  ➜ Title candidate: 'understanding chemistry, you will find your own world expanded. You will find boiling water interesting and the back of the shampoo bottle'
  ❌ Invalid title line: 'understanding chemistry, you will find your own world expanded. You will find boiling water interesting and the back of the shampoo bottle'
  ➜ Parsing at 5398: 'fascinating.The National Science Teachers Association (NSTA) has published principles and standards that address important chemistry topics that'

🔍 parse_program: starting at line 5398: 'fascinating.The National Science Teachers Association (NSTA) has published principles and standards that address important chemistry topics that'
  ➜ Title candidate: 'fascinating.The National Science Teachers Association (NSTA) has published principles and standards that address important chemistry topics that'
  ❌ Invalid title line: 'fascinating.The National Science Teachers Association (NSTA) has published principles and standards that address important chemistry topics that'
  ➜ Parsing at 5399: 'should be covered through the K-12 curriculum. Many states have followed the NSTA’s lead and are increasingly requiring that these concepts be'

🔍 parse_program: starting at line 5399: 'should be covered through the K-12 curriculum. Many states have followed the NSTA’s lead and are increasingly requiring that these concepts be'
  ➜ Title candidate: 'should be covered through the K-12 curriculum. Many states have followed the NSTA’s lead and are increasingly requiring that these concepts be'
  ❌ Invalid title line: 'should be covered through the K-12 curriculum. Many states have followed the NSTA’s lead and are increasingly requiring that these concepts be'
  ➜ Parsing at 5400: 'taught to the students throughout the course of their science education. A firm grasp of the concepts covered in this course will allow you to'

🔍 parse_program: starting at line 5400: 'taught to the students throughout the course of their science education. A firm grasp of the concepts covered in this course will allow you to'
  ➜ Title candidate: 'taught to the students throughout the course of their science education. A firm grasp of the concepts covered in this course will allow you to'
  ❌ Invalid title line: 'taught to the students throughout the course of their science education. A firm grasp of the concepts covered in this course will allow you to'
  ➜ Parsing at 5401: 'confidently teach this material when you enter the classroom.'

🔍 parse_program: starting at line 5401: 'confidently teach this material when you enter the classroom.'
  ➜ Title candidate: 'confidently teach this material when you enter the classroom.'
  ❌ Invalid title line: 'confidently teach this material when you enter the classroom.'
  ➜ Parsing at 5402: '© Western Governors University 7/19/17 153'

🔍 parse_program: starting at line 5402: '© Western Governors University 7/19/17 153'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'C299 - Designing Customized Security - The course provides an introduction to the core security concepts and skills needed for the installation,'
  ➜ Skipping stray line: 'monitoring, and troubleshooting of network security features to maintain the integrity, confidentiality, and availability of data and devices. Successfully'
  ➜ Skipping stray line: 'completing this course will certify these skills. You will also develop competency in the technologies that Cisco uses in its security infrastructure.'
  ➜ Skipping stray line: 'Recommended Experience: You should possess a current Cisco Certified Network Administrator in Routing and Switching certification. This course'
  ➜ Skipping stray line: 'prepares students for the following certification exam: Cisco CCNA Security.'
  ➜ Skipping stray line: 'C301 - Translational Research for Practice and Populations - This graduate-level course builds on your baccalaureate-level statistical knowledge'
  ➜ Skipping stray line: 'to help you develop skills in analyzing, interpreting, and translating research into nursing practice using principles of patient-centered care and'
  ➜ Skipping stray line: 'applications to individuals and populations'
  ➜ Skipping stray line: 'C304 - Professional Roles and Values - This course explores the unique role nurses play in healthcare, beginning with the history and evolution of'
  ➜ Skipping stray line: 'the nursing profession. The responsibilities and accountability of professional nurses are covered, including cultural competency, advocacy for patient'
  ➜ Skipping stray line: 'rights, and the legal and ethical issues related to supervision and delegation. Professional conduct, leadership, the public image of nursing, the work'
  ➜ Skipping stray line: 'environment, and issues of social justice are also addressed.'
  ➜ Skipping stray line: 'C306 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ➜ Skipping stray line: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ➜ Skipping stray line: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ➜ Skipping stray line: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C307 - Supervised Demonstration Teaching in Elementary Education, Observations 1 and 2 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C308 - Supervised Demonstration Teaching in Elementary Education, Observation 3 and Midterm - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C309 - Supervised Demonstration Teaching in Elementary Education, Observations 4 and 5 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C310 - Supervised Demonstration Teaching in Elementary Education, Observation 6 and Final - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C311 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 1 and 2 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C312 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 3 and Midterm - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C313 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 4 and 5 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C314 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 6 and Final - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C315 - Supervised Demonstration Teaching in Mathematics, Observations 1 and 2 - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C316 - Supervised Demonstration Teaching in Mathematics, Observation 3 and Midterm - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C317 - Supervised Demonstration Teaching in Mathematics, Observations 4 and 5 - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C318 - Supervised Demonstration Teaching in Mathematics, Observation 6 and Final - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C319 - Supervised Demonstration Teaching in Science, Observations 1 and 2 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C320 - Supervised Demonstration Teaching in Science, Observation 3 and Midterm - Supervised Demonstration Teaching in Science involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C321 - Supervised Demonstration Teaching in Science, Observations 4 and 5 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C322 - Supervised Demonstration Teaching in Science, Observation 6 and Final - Supervised Demonstration Teaching in Science involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C323 - Supervised Demonstration Teaching in Elementary Education, Observations 1 and 2 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C324 - Supervised Demonstration Teaching in Elementary Education, Observation 3 and Midterm - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C325 - Supervised Demonstration Teaching in Elementary Education, Observations 4 and 5 - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 154'
  ➜ Skipping stray line: 'C326 - Supervised Demonstration Teaching in Elementary Education, Observation 6 and Final - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C327 - Supervised Demonstration Teaching in Mathematics, Observations 1 and 2 - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C328 - Supervised Demonstration Teaching in Mathematics, Observation 3 and Midterm - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C329 - Supervised Demonstration Teaching in Mathematics, Observations 4 and 5 - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C330 - Supervised Demonstration Teaching in Mathematics, Observation 6 and Final - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C331 - Supervised Demonstration Teaching in Science, Observations 1 and 2 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C332 - Supervised Demonstration Teaching in Science, Observation 3 and Midterm - Supervised Demonstration Teaching in Science involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C333 - Supervised Demonstration Teaching in Science, Observations 4 and 5 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C334 - Supervised Demonstration Teaching in Science, Observation 6 and Final - Supervised Demonstration Teaching in Science involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C339 - Cohort Seminar - Cohort Seminar provides mentoring and supports teacher candidates during their demonstration teaching period by'
  ➜ Skipping stray line: 'providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates their demonstration of competence in'
  ➜ Skipping stray line: 'becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom, exploring community resources, building'
  ➜ Skipping stray line: 'collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'
  ➜ Skipping stray line: 'C340 - Cohort Seminar in Special Education - Cohort Seminar in Special Education provides mentoring and supports teacher candidates during'
  ➜ Skipping stray line: 'their demonstration teaching period by providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates'
  ➜ Skipping stray line: 'their demonstration of competence in becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom,'
  ➜ Skipping stray line: 'exploring community resources, building collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'
  ➜ Skipping stray line: 'C341 - Cohort Seminar - Cohort Seminar provides mentoring and supports teacher candidates during their demonstration teaching period by'
  ➜ Skipping stray line: 'providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates their demonstration of competence in'
  ➜ Skipping stray line: 'becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom, exploring community resources, building'
  ➜ Skipping stray line: 'collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'
  ➜ Skipping stray line: 'C347 - Professional Portfolio - You will create an online teaching portfolio that includes professional artifacts (e.g. resume and Philosophy of'
  ➜ Skipping stray line: 'Teaching Statement) that demonstrate the skills you have acquired throughout your Demonstration Teaching experience.'
  ➜ Skipping stray line: 'C348 - Professional Portfolio - You will create an online teaching portfolio that includes professional artifacts (e.g. resume and Philosophy of'
  ➜ Skipping stray line: 'Teaching Statement) that demonstrate the skills you have acquired throughout your Demonstration Teaching experience.'
  ➜ Skipping stray line: 'C349 - Health Assessment - The Health Assessment course is designed to enhance students’ knowledge and skills in health promotion, the early'
  ➜ Skipping stray line: 'detection of illness and prevention of disease. To that end the course provides relevant content and skills necessary to perform a comprehensive'
  ➜ Skipping stray line: 'physical assessment of patients throughout the lifespan. Students are engaged in these processes through interviewing, history taking and'
  ➜ Skipping stray line: 'demonstration of an advanced-level physical examination. Dominant models, theories and perspectives related to evidence-based wellness practices'
  ➜ Skipping stray line: 'and health education strategies also are included in this challenging course. Competency is measured through successful completion of two'
  ➜ Skipping stray line: 'performance tasks. It is recommended that students plan to complete C349 in four to six weeks.'
  ➜ Skipping stray line: 'C350 - Comprehensive Health Assessment for Patients and Populations - In this course, students will learn about the principles of health'
  ➜ Skipping stray line: 'assessment from the individual to the global level. Students will learn to perform a comprehensive functional health assessment that includes social'
  ➜ Skipping stray line: 'structures, family history, and environmental situations, from the individual patient to the population. This course builds on prior knowledge gained in'
  ➜ Skipping stray line: 'previous courses and in nursing practice, in areas such as pathophysiology, pharmacology, and epidemiology, and focus on applying this knowledge'
  ➜ Skipping stray line: 'in various populations with common disorders.'
  ➜ Skipping stray line: 'This course is roughly divided into three parts:'
  ➜ Skipping stray line: '• Advanced health assessment focusing on abnormal findings for common disease.'
  ➜ Skipping stray line: '• Integrating health assessment findings into a population, considering such issue as culture, spirituality, and continuum.'
  ➜ Skipping stray line: '• Functionality of clients based upon the problems and populations.'
  ➜ Skipping stray line: 'C351 - Professional Presence and Influence - Who we are and how we behave affects others. Our professional presence in therapeutic settings'
  ➜ Skipping stray line: 'can support or inhibit well-being not only in patients, but also in the rest of the health care team, in the family and support system of the patients, and'
  ➜ Skipping stray line: 'in the health care organization as a whole. This course will help registered nurses manage this impact by recognizing situations and practices that'
  ➜ Skipping stray line: 'support a positive environment and cultivating actions and responses to achieve and maintain this environment. The growth of self-knowledge will'
  ➜ Skipping stray line: 'expand nurses’ ability to direct influence in ways that are intended rather than in random or destructive ways.'
  ➜ Skipping stray line: 'C352 - Contemporary Pharmacotherapeutics - This course provides the opportunity to acquire advanced knowledge and skills in the therapeutic'
  ➜ Skipping stray line: 'use of pharmacologic agents, herbals, and supplements. Students will explore the pharmacologic treatment of major health problems and examine the'
  ➜ Skipping stray line: 'principles of pharmacogenomics. The effects of culture, ethnicity, age, pregnancy, gender, healthcare setting, and funding of pharmacologic therapy'
  ➜ Skipping stray line: 'will be emphasized. Legal aspects of prescribing will be fully addressed. Case studies will be utilized to present some of these concepts.'
  ➜ Skipping stray line: 'C358 - Foundations of Nursing Education - This graduate level course in the education specialty core examines the contemporary issues of nursing'
  ➜ Skipping stray line: 'education. While traditional contexts for learning are included, students will also focus on modern technology and trends in nursing education.'
  ➜ Skipping stray line: 'Students will explore curriculum development, educational philosophy, theories and models, instruction and evaluation, as well as e-learning,'
  ➜ Skipping stray line: 'simulations, and current technology in nursing education.'
  ➜ Skipping stray line: 'C359 - Future Directions in Contemporary Learning and Education - This course builds on previously developed concepts acquired in'
  ➜ Skipping stray line: 'Foundations of Nursing Education and Facilitating Learning in the 21st Century. This course will explore how changes in the economy, advancements'
  ➜ Skipping stray line: 'in science, and the explosion of technology have created a paradigm shift in nursing education. Graduates will further explore the role of the educator'
  ➜ Skipping stray line: 'and the application of innovative education strategies.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 155'
  ➜ Skipping stray line: 'C360 - Teacher Work Sample in English Language Learning - The Teacher Work Sample is a culmination of the wide variety of skills learned'
  ➜ Skipping stray line: 'during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of'
  ➜ Skipping stray line: 'your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C361 - Evidence Based Practice and Applied Nursing Research - The Evidence Based Practice and Applied Nursing Research course will help'
  ➜ Skipping stray line: 'you to learn how to design and conduct research to answer important questions about improving nursing practice and patient care delivery outcomes.'
  ➜ Skipping stray line: 'After you are introduced to the basics of evidence-based practice, you will continue to implement the principles throughout your clinical experience.'
  ➜ Skipping stray line: 'This will allow you to graduate with more competence and confidence to become a leader in the healing environment.'
  ➜ Skipping stray line: 'C362 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to apply'
  ➜ Skipping stray line: 'differential calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include functions, limits, continuity,'
  ➜ Skipping stray line: 'differentiability, visual, analytical, and conceptual approaches to the definition of the derivative, the power, chain, sum, product, and quotient rules'
  ➜ Skipping stray line: 'applied to polynomial, trigonometric, exponential, and logarithmic functions, implicit differentiation, position, velocity, and acceleration, optimization,'
  ➜ Skipping stray line: 'related rates, curve sketching, and L'Hopital's Rule. Pre-Calculus is a pre-requisite for this course.'
  ➜ Skipping stray line: 'C363 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to apply'
  ➜ Skipping stray line: 'differential calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include functions, limits, continuity,'
  ➜ Skipping stray line: 'differentiability, visual, analytical, and conceptual approaches to the definition of the derivative, the power, chain, sum, product, and quotient rules'
  ➜ Skipping stray line: 'applied to polynomial, trigonometric, exponential, and logarithmic functions, implicit differentiation, position, velocity, and acceleration, optimization,'
  ➜ Skipping stray line: 'related rates, curve sketching, and L'Hopital's Rule. Pre-Calculus is a pre-requisite for this course.'
  ➜ Skipping stray line: 'C365 - Language Arts Instruction and Intervention - Language Arts Instruction and Intervention helps students learn how to implement effective'
  ➜ Skipping stray line: 'language arts instruction and intervention in the elementary classroom. Topics include written and spoken English, expanding students' knowledge,'
  ➜ Skipping stray line: 'literature rich environments, differentiated instruction, technology for reading and writing, assessment strategies for reading and writing, and strategies'
  ➜ Skipping stray line: 'for developing academic language.'
  ➜ Skipping stray line: 'C367 - Elementary Physical Education and Health Methods - Elementary Physical Education and Health Methods helps students learn how to'
  ➜ Skipping stray line: 'implement effective physical and health education instruction in the elementary classroom. Topics include healthy lifestyles, student safety, student'
  ➜ Skipping stray line: 'nutrition, physical education, differentiated instruction for physical and health education, physical education across the curriculum, and public policy in'
  ➜ Skipping stray line: 'health and physical education.'
  ➜ Skipping stray line: 'C368 - Instructional Planning and Presentation in Elementary Education - Instructional Planning and Presentation assists students as they'
  ➜ Skipping stray line: 'continue to build instructional planning skills. Topics include unit and lesson planning, instructional presentation strategies, assessment, engagement,'
  ➜ Skipping stray line: 'integration of learning across the curriculum, effective grouping strategies, technology in the classroom, and using data to inform instruction.'
  ➜ Skipping stray line: 'C369 - Instructional Planning and Presentation in Science - Students will continue to build instructional planning skills with a focus on selecting'
  ➜ Skipping stray line: 'appropriate materials for diverse learners, selecting age- and ability- appropriate strategies for the content areas, promoting critical thinking, and'
  ➜ Skipping stray line: 'establishing both short- and long- term goals'
  ➜ Skipping stray line: 'C375 - Survey of World History - Through a thematic approach, this course explores the history of human societies over 5,000 years. Students'
  ➜ Skipping stray line: 'examine political and social structures, religious beliefs, economic systems, and patterns in trade, as well as many cultural attributes that came to'
  ➜ Skipping stray line: 'distinguish different societies around the globe over time. Special attention is given to relationships between these societies and the way geographic'
  ➜ Skipping stray line: 'and environmental factors influence human development.'
  ➜ Skipping stray line: 'C380 - Language Arts Instruction and Intervention - Language Arts Instruction and Intervention helps students learn how to implement effective'
  ➜ Skipping stray line: 'language arts instruction and intervention in the elementary classroom. Topics include written and spoken English, expanding students' knowledge,'
  ➜ Skipping stray line: 'literature rich environments, differentiated instruction, technology for reading and writing, assessment strategies for reading and writing, and strategies'
  ➜ Skipping stray line: 'for developing academic language.'
  ➜ Skipping stray line: 'C381 - Elementary Mathematics Methods - Elementary Mathematics Methods helps students learn how to implement effective math instruction in'
  ➜ Skipping stray line: 'the elementary classroom. Topics include differentiated math instruction, mathematical communication, mathematical tools for instruction, assessing'
  ➜ Skipping stray line: 'math understanding, integrating math across the curriculum, critical thinking development, standards based math instruction, and mathematical'
  ➜ Skipping stray line: 'models and representation.'
  ➜ Skipping stray line: 'C382 - Elementary Science Methods - Elementary Science Methods helps students learn how to implement effective science instruction in the'
  ➜ Skipping stray line: 'elementary classroom. Topics include processes of science, science inquiry, science learning environments, instructional strategies for science,'
  ➜ Skipping stray line: 'differentiated instruction for science, assessing science understanding, technology for science instruction, standards based science instruction,'
  ➜ Skipping stray line: 'integrating science across curriculum, and science beyond the classroom.'
  ➜ Skipping stray line: 'C388 - Science, Technology, and Society - Science, Technology, and Society explores the ways in which science influences and is influenced by'
  ➜ Skipping stray line: 'society and technology. A humanistic and social endeavor, science serves the needs of ever-changing societies by providing methods for observing,'
  ➜ Skipping stray line: 'questioning, discovering, and communicating information about the physical and natural world. This course prepares educators to explain the nature'
  ➜ Skipping stray line: 'and history of science, the various applications of science, and the scientific and engineering processes used to conduct investigations, make'
  ➜ Skipping stray line: 'decisions, and solve problems. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C389 - Science, Technology, and Society - Science, Technology, and Society explores the ways in which science influences and is influenced by'
  ➜ Skipping stray line: 'society and technology. A humanistic and social endeavor, science serves the needs of ever-changing societies by providing methods for observing,'
  ➜ Skipping stray line: 'questioning, discovering, and communicating information about the physical and natural world. This course prepares educators to explain the nature'
  ➜ Skipping stray line: 'and history of science, the various applications of science, and the scientific and engineering processes used to conduct investigations, make'
  ➜ Skipping stray line: 'decisions, and solve problems. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C393 - IT Foundations - IT Foundations is the first course in a two-part series preparatory for the CompTIA A+ exam, Part I. Students will gain an'
  ➜ Skipping stray line: 'understanding of personal computer components and their functions in a desktop system, as well as computer data storage and retrieval; classifying,'
  ➜ Skipping stray line: 'installing, configuring, optimizing, upgrading, and troubleshooting printers, laptops, portable devices, operating systems, networks, and system'
  ➜ Skipping stray line: 'security; recommending appropriate tools, diagnostic procedures, preventative maintenance and troubleshooting techniques for personal computer'
  ➜ Skipping stray line: 'components in a desktop system; strategies for identifying, preventing, and reporting safety hazards and environmental/human accidents in a'
  ➜ Skipping stray line: 'technological environments; and effective communication with colleagues and clients as well as job-related professional behavior.'
  ➜ Skipping stray line: 'C394 - IT Applications - IT Applications is a continuation of the IT Foundations course preparatory for the CompTIA A+ exam, Part II.'
  ➜ Skipping stray line: 'Students will gain an understanding of personal computer components and their functions in a desktop system. Also covered is computer data storage'
  ➜ Skipping stray line: 'and retrieval, including classifying, installing, configuring, optimizing, upgrading, and troubleshooting printers, laptops, portable devices, operating'
  ➜ Skipping stray line: 'systems, networks, and system security. Other areas include recommending appropriate tools, diagnostic procedures, preventative maintenance and'
  ➜ Skipping stray line: 'troubleshooting techniques for personal computer components in a desktop system. The course then finished with strategies for identifying,'
  ➜ Skipping stray line: 'preventing, and reporting safety hazards and environmental/human accidents in a technological environments, and effective communication with'
  ➜ Skipping stray line: 'colleagues and clients as well as job-related professional behavior.'
  ➜ Skipping stray line: 'C395 - Instructional Planning and Presentation in English - Applications in Instructional Planning and Presentation in English, as a continuation of'
  ➜ Skipping stray line: 'the Instructional Planning and Presentation course, helps students apply, analyze, and reflect on effective classroom instruction.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 156'
  ➜ Skipping stray line: 'C396 - English Pedagogy - English Pedagogy examines pedagogical applications for the teaching of reading, literature, composition, and related'
  ➜ Skipping stray line: 'English Language Arts (ELA) content and skills for middle and secondary schools. Focused on fostering and developing pedagogical content'
  ➜ Skipping stray line: 'knowledge in the aforementioned areas, students will analyze assessment strategies and incorporate methods of literacy instruction into their'
  ➜ Skipping stray line: 'instructional planning to meet the needs of diverse learners. This course helps students prepare and develop skills for classroom practice, lesson'
  ➜ Skipping stray line: 'planning, and working in school settings. C397 Preclinical Experiences in English is a prerequisite.'
  ➜ Skipping stray line: 'C397 - Preclinical Experiences in English - Preclinical Experiences in English provides students the opportunity to observe and participate in a wide'
  ➜ Skipping stray line: 'range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will reflect on'
  ➜ Skipping stray line: 'and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required to meet'
  ➜ Skipping stray line: 'several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C398 - Supervised Demonstration Teaching in English, Observations 1 and 2 - Supervised Demonstration Teaching in English involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C399 - Supervised Demonstration Teaching in English, Observation 3 and Midterm - Supervised Demonstration Teaching in English involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C400 - Supervised Demonstration Teaching in English, Observations 4 and 5 - Supervised Demonstration Teaching in English involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C401 - Supervised Demonstration Teaching in English, Observation 6 and Final - Supervised Demonstration Teaching in English involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C405 - Anatomy and Physiology II - This course introduces advanced concepts of human anatomy and physiology, through the investigation of the'
  ➜ Skipping stray line: 'structures and functions of the body's organ systems. Students will have the opportunity to explore the body through laboratory experience and apply'
  ➜ Skipping stray line: 'the concepts covered in this course. For nursing students this is the second of two anatomy and physiology courses within the program of study.'
  ➜ Skipping stray line: 'C410 - Collaborative Leadership Project - The purpose of this course is to practice applying collaborative leadership skills in an innovative'
  ➜ Skipping stray line: 'environment while engaging with a community. You will combine innovation with leadership to serve patients. You will also identify an innovation'
  ➜ Skipping stray line: 'process that will serve the Navajo Area Indian Health Services (NAIHS) facility in the Navajo Nation. The main task will be to collaborate with'
  ➜ Skipping stray line: 'stakeholders on the proposed process to address obesity.'
  ➜ Skipping stray line: 'C417 - Analytical Methods of Healthcare Professionals - This course explores the significance of research and statistics in care management. You'
  ➜ Skipping stray line: 'will start by examining the role of evidence-based decisions in care management and how to evaluate the quality of research used to make those'
  ➜ Skipping stray line: 'decisions. You will examine the role of statistics in making evidence-based decisions about care management. Finally, you will learn how statistics are'
  ➜ Skipping stray line: 'used in healthcare and how to test the validity of statistics in order to make informed care management decisions.'
  ➜ Skipping stray line: 'C421 - Health Information Technology Project - A medical group has decided to move forward with the organizational initiative of reducing health'
  ➜ Skipping stray line: 'disparities, increasing access, and improving outcomes by leading a cooperative of local healthcare organizations in a Community Health Information'
  ➜ Skipping stray line: 'Exchange System (CHIES) expansion plan founded on the governor’s vision to advance HIEs. You will complete an assessment of a CHIE, propose'
  ➜ Skipping stray line: 'an updated Electronic Health Records System (EHRS), and complete a CHIE feasibility assessment.'
  ➜ Skipping stray line: 'C423 - Challenges in Community Health Project - Community-based integrated healthcare requires skills in communication, management, and'
  ➜ Skipping stray line: 'resource utilization among healthcare personnel, healthcare organizations, and community and state entities. You will apply appropriate actions and'
  ➜ Skipping stray line: 'strategies consistent with the organizational mission, values, and needs in interactions with community leaders and members of the community. You'
  ➜ Skipping stray line: 'will learn and demonstrate utilization of communication and collaboration skills and the evaluation and application of data in problem-solving skills at'
  ➜ Skipping stray line: 'both the organizational and community level.'
  ➜ Skipping stray line: 'C424 - Integrated Healthcare Project - You will develop and present a comprehensive case study and business plan that proposes an integrated'
  ➜ Skipping stray line: 'system that includes, at a minimum, a health plan, hospitals, skilled nursing homes, and home health organizations to meet the rising health demands'
  ➜ Skipping stray line: 'of the baby-boomer population. You will choose an area of the U.S. with existing healthcare organizations, and present a model of an “open delivery'
  ➜ Skipping stray line: 'system” that serves as a financial hedge, enables experimentation, integrates culture (patient population demographics and regional healthcare'
  ➜ Skipping stray line: 'values and principles), incentives wellness and preventative care), and is value-based and consumer driven.'
  ➜ Skipping stray line: 'C425 - Healthcare Delivery Systems, Regulation, and Compliance - This course provides an overview of the U.S. healthcare system and focuses'
  ➜ Skipping stray line: 'on developing an understanding of the various sectors and roles involved in this complex industry. Policy and compliance issues are also addressed to'
  ➜ Skipping stray line: 'facilitate an appreciation for the highly regulated nature of healthcare delivery.'
  ➜ Skipping stray line: 'C426 - Healthcare Values and Ethics - This course explores ethical standards and considerations common to the healthcare environment such as'
  ➜ Skipping stray line: 'access to care, confidentiality, the allocation of limited resources, and billing practices. This course also focuses on the distinct value system'
  ➜ Skipping stray line: 'associated with the healthcare industry, as well as the values of professionalism.'
  ➜ Skipping stray line: 'C427 - Technology Applications in Healthcare - This course explores how technology continues to change and influence the healthcare industry.'
  ➜ Skipping stray line: 'Practical managerial applications are explored as well as the legal, ethical, and practical aspects of access to health and disease information.'
  ➜ Skipping stray line: 'Ensuring the protection of private health information is also emphasized.'
  ➜ Skipping stray line: 'C428 - Financial Resource Management in Healthcare - This course examines the financial environment of the healthcare industry including'
  ➜ Skipping stray line: 'principles involved in managed care. It also explores the revenue and expense structures for different sectors within the industry while emphasizing'
  ➜ Skipping stray line: 'funding and reimbursement practices of healthcare.'
  ➜ Skipping stray line: 'C429 - Healthcare Operations Management - This course builds upon basic principles of management, organizational behavior, and leadership.'
  ➜ Skipping stray line: 'Specific processes and business principles for managing operations in interdependent and multi-disciplinary healthcare organizations are explored.'
  ➜ Skipping stray line: 'Marketing strategies, communication skills, and the ability to establish and maintain relationships while ensuring productivity that is efficient, safe, and'
  ➜ Skipping stray line: 'meets the needs of all stakeholders is emphasized.'
  ➜ Skipping stray line: 'C430 - Healthcare Quality Improvement and Risk Management - This course emphasizes principles of quality management and risk management'
  ➜ Skipping stray line: 'in order to ensure safety, maximize patient outcomes, and continuously improve organizational outcomes. This course also examines the broader'
  ➜ Skipping stray line: 'impact of organizational culture and its influence on productivity, quality, and risk.'
  ➜ Skipping stray line: 'C431 - Healthcare Research and Statistics - This course builds upon an understanding of research methods and quantitative analysis. Concepts of'
  ➜ Skipping stray line: 'population health, epidemiology, and evidence-based practices provide the foundation for understanding the importance of data for informing'
  ➜ Skipping stray line: 'healthcare organizational decisions.'
  ➜ Skipping stray line: 'C432 - Healthcare Management and Strategy - This course builds upon basic principles of strategic management and explores healthcare'
  ➜ Skipping stray line: 'organizational structures and processes. The importance of the collaborative nature and interrelationships among business functions is emphasized.'
  ➜ Skipping stray line: 'Creating a healthcare vision and designing business plans within a healthcare environment is also examined.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 157'
  ➜ Skipping stray line: 'C433 - Integrated Healthcare Management Capstone Project - The capstone project is a student-designed project intended to illustrate your ability'
  ➜ Skipping stray line: 'to effect change in the industry and demonstrate competence in all five core competencies of the curriculum. You are required to collaborate with'
  ➜ Skipping stray line: 'leaders in the healthcare industry to identify opportunities for improvement in healthcare, propose a solution, and perform a business analysis to'
  ➜ Skipping stray line: 'evaluate its feasibility. In addition, the capstone project encourages work in the healthcare industry that will be showcased in your collection of work'
  ➜ Skipping stray line: 'and help solidify professional relationships in the industry.'
  ➜ Skipping stray line: 'C439 - Healthcare Management Capstone - This course is the culminating experience and assessment of healthcare business administration. This'
  ➜ Skipping stray line: 'course requires the student to integrate and synthesize managerial skills with healthcare knowledge, resulting in a high quality final project that'
  ➜ Skipping stray line: 'demonstrates professional managerial proficiency.'
  ➜ Skipping stray line: 'C451 - Integrated Natural Science - Integrated Natural Sciences explores the natural world through an integrated perspective and helps students'
  ➜ Skipping stray line: 'begin to see and draw numerous connections among events in the natural world. Topics include the universe, the Earth, ecosystems and organisms.'
  ➜ Skipping stray line: 'C452 - Integrated Natural Science Applications - Integrated Natural Sciences Applications explores the natural world through an integrated'
  ➜ Skipping stray line: 'perspective and helps students apply scientific concepts and methodologies to the examination of natural science fundamentals.'
  ➜ Skipping stray line: 'C453 - Clinical Microbiology - Clinical Microbiology introduces general concepts, methods, and applications of microbiology from a health sciences'
  ➜ Skipping stray line: 'perspective. The course is designed to provide healthcare professionals with a basic understanding of how various diseases are transmitted and'
  ➜ Skipping stray line: 'controlled. Students will examine the structure and function of microorganisms, including the roles that they play in causing major diseases. The'
  ➜ Skipping stray line: 'course also explores immunological, pathological and epidemiological factors associated with disease. To assist students in developing an applied,'
  ➜ Skipping stray line: 'patient-focused understanding of microbiology, this course is complimented by several lab experiments which allow students to: practice aseptic'
  ➜ Skipping stray line: 'techniques, grow bacteria and fungi, identify characteristics of bacteria and yeast based on biochemical and environmental tests, determine antibiotic'
  ➜ Skipping stray line: 'susceptibility, discover the microorganisms growing on objects and surfaces, and determine the Gram characteristic of bacteria. This course has no'
  ➜ Skipping stray line: 'pre-requisites.'
  ➜ Skipping stray line: 'C455 - English Composition I - English Composition I introduces learners to the types of writing and thinking that are valued in college and beyond.'
  ➜ Skipping stray line: 'Students will practice writing in several genres with emphasis placed on writing and revising academic arguments. Instruction and exercises in'
  ➜ Skipping stray line: 'grammar, mechanics, research documentation, and style are paired with each module so that writers can practice these skills as necessary.'
  ➜ Skipping stray line: 'Comp I is a foundational course designed to help students prepare for success at the college level.'
  ➜ Skipping stray line: 'There are no prerequisites for English Composition I.'
  ➜ Skipping stray line: 'C456 - English Composition II - English Composition II introduces undergraduate students to research writing. It is a foundational course designed to'
  ➜ Skipping stray line: 'help students prepare for advanced writing within the discipline and to complete the capstone. Specifically, this course will help students develop or'
  ➜ Skipping stray line: 'improve research, reference citation, document organization, and writing skills. English Composition I or equivalent is a prerequisite for this course.'
  ➜ Skipping stray line: 'C457 - Foundations of College Mathematics - Foundations of College Mathematics addresses the sequence of learning activities necessary to build'
  ➜ Skipping stray line: 'competence in foundational concepts of College Mathematics, which include whole numbers, fractions, decimals, ratios, proportions and percents,'
  ➜ Skipping stray line: 'geometry, statistics, the real number system, equations, inequalities, applications, and graphs of linear equations.'
  ➜ Skipping stray line: 'C458 - Health, Fitness and Wellness - Health, Fitness and Wellness focuses on the importance and foundations of good health and physical fitness,'
  ➜ Skipping stray line: 'particularly for children and adolescents, addressing health, nutrition, fitness, and substance use and abuse.'
  ➜ Skipping stray line: 'C459 - Introduction to Probability and Statistics - In this course, students demonstrate competency in the basic concepts, logic, and issues'
  ➜ Skipping stray line: 'involved in statistical reasoning. Topics include summarizing and analyzing data, sampling and study design, and probability.'
  ➜ Skipping stray line: 'C460 - Mathematics for Elementary Educators I - Mathematics for Elementary Educators I engages pre-service elementary teachers in'
  ➜ Skipping stray line: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in problem solving, set theory,'
  ➜ Skipping stray line: 'number theory, whole numbers and integers. This is the first course in a three-course sequence.'
  ➜ Skipping stray line: 'C461 - Mathematics for Elementary Educators II - This course engages pre-service elementary teachers in mathematical practices based on deep'
  ➜ Skipping stray line: 'understanding of underlying concepts. This course takes the arithmetic of the first course and generalizes it into algebraic reasoning. The course also'
  ➜ Skipping stray line: 'touches on important topics in probability. This is the second course in a three-course sequence.'
  ➜ Skipping stray line: 'C462 - Mathematics for Elementary Educators III - Mathematics for Elementary Educators III engages pre-service elementary teachers in'
  ➜ Skipping stray line: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in statistics, measurement, and'
  ➜ Skipping stray line: 'covers geometry from synthetic, transformational, and coordinate perspectives. This is the third course in a three-course sequence.'
  ➜ Skipping stray line: 'C463 - Intermediate Algebra - This course provides an introduction of algebraic concepts and the development of the essential groundwork for'
  ➜ Skipping stray line: 'College Algebra. Topics include: A review of basic mathematical skills, the real number system, algebraic expressions, linear equations, graphing,'
  ➜ Skipping stray line: 'exponents and polynomials'
  ➜ Skipping stray line: 'C464 - Introduction to Communication - This introductory communication course allows students to become familiar with the fundamental'
  ➜ Skipping stray line: 'communication theories and practices necessary to engage in healthy professional and personal relationships. Students will survey human'
  ➜ Skipping stray line: 'communication on multiple levels and critically apply the theoretical grounding of the course to interpersonal, intercultural, small group, and public'
  ➜ Skipping stray line: 'presentational contexts. The course also encourages students to consider the influence of language, perception, culture, and media on their daily'
  ➜ Skipping stray line: 'communicative interactions. In addition to theory, students will engage in the application of effective communication skills through systematically'
  ➜ Skipping stray line: 'preparing and delivering an oral presentation. By practicing these fundamental skills in human communication, students become more competent'
  ➜ Skipping stray line: 'communicators as they develop more flexible, useful, and discriminatory communicative practices in a variety of contexts.'
  ➜ Skipping stray line: 'C465 - Care of the Developing Family - .'
  ➜ Skipping stray line: 'C466 - Medication Dosage Calculations - In Medication Dosage Calculations, students learn about individualized drug dosing concepts, including:'
  ➜ Skipping stray line: 'different measurement systems, solid and liquid medications, calculating dosages based on body weight or body surface area, interpreting drug labels'
  ➜ Skipping stray line: 'and abbreviations, and common medication errors.'
  ➜ Skipping stray line: 'C467 - Pharmacology - Pharmacology covers concepts in pharmacology including drug classification and effects, the role of the nurse in drug'
  ➜ Skipping stray line: 'therapy, preparation and administration of drugs, and ethical and legal issues surrounding medication administration. The Institute of Medicine reports'
  ➜ Skipping stray line: 'that cited medication errors as the most common medical errors, costing billions of dollars and harming up to 1.5 million people every year. Medication'
  ➜ Skipping stray line: 'errors are often the result of nurses failing to follow proper procedures. The pharmacology course covers the following concepts: the nursing process'
  ➜ Skipping stray line: 'in relation to drug therapy; the role of pharmacological principles in nursing; the role of the nurse in pharmacy and lifespan considerations; cultural,'
  ➜ Skipping stray line: 'ethical, and legal considerations; education and substance abuse; and gene therapy and pharmacology. This course introduces the nursing student to'
  ➜ Skipping stray line: 'these concepts and continues to integrate pharmacology throughout the clinical courses within the program.'
  ➜ Skipping stray line: 'C468 - Information Management and the Application of Technology - Information Management and the Application of Technology helps the'
  ➜ Skipping stray line: 'student learn how to identify and implement the unique responsibilities of nurses related to the application of technology and the management of'
  ➜ Skipping stray line: 'patient information. This includes: understanding the evolving role of nurse informaticists; demonstrating the skills needed to use electronic health'
  ➜ Skipping stray line: 'records; identifying nurse-sensitive outcomes that lead to quality improvement measures; supporting the contributions of nurses to patient care;'
  ➜ Skipping stray line: 'examining workflow changes related to the implementation of computerized management systems; and learning to analyze the implications of new'
  ➜ Skipping stray line: 'technology on security, practice, and research.'
  ➜ Skipping stray line: 'C469 - Caring Arts and Science Across the Lifespan Part I - Caring Arts and Science Across the Lifespan Part I introduces nursing fundamentals'
  ➜ Skipping stray line: 'which speak to the core of all nursing care by assessing the needs of patients with compassion and respect; advocating for patients and their families;'
  ➜ Skipping stray line: 'providing education and comfort; and integrating patient needs into a plan of care that embraces individuality, diversity, and belief. Students continue'
  ➜ Skipping stray line: 'to learn about fundamental nursing skills within their didactic environment and will be provided time to practice in a learning lab environment.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 158'
  ➜ Skipping stray line: 'C470 - Caring Arts and Science Across the Lifespan Part I Clinical Learning - This course includes all aspects of clinical learning related to the'
  ➜ Skipping stray line: 'fundamentals of nursing practice. Learning labs will teach and assess task skill knowledge including physical assessment, safe medication'
  ➜ Skipping stray line: 'administration, oxygenation; nutrition, metabolism, & elimination; skin integrity, activity, & mobility; and cognition. Students who are successful in lab'
  ➜ Skipping stray line: 'assessments will progress to live patient clinicals and will be assessed for their mastery of basic levels of the key behaviors for clinical practice of a'
  ➜ Skipping stray line: 'novice nursing student.'
  ➜ Skipping stray line: 'C471 - Caring Arts and Science Across the Lifespan Part II - Caring Arts and Science Across the Lifespan Part II topics include management of'
  ➜ Skipping stray line: 'the perioperative care continuum; patient centered care of the adult; care of the adult with alterations in circulation; car of the adult with alterations in'
  ➜ Skipping stray line: 'cardiovascular function; care of the adult with alterations in oxygenation; care of the adult with alterations in neurosensory function; fundamental'
  ➜ Skipping stray line: 'patient self-determination & advocacy; and end-of-life care. This course incorporates virtual simulations into the didactic course to help students'
  ➜ Skipping stray line: 'prepare for their learning labs and clinical learning experience. Patient scenarios for the virtual simulations include: fluid & electrolyte imbalance; blood'
  ➜ Skipping stray line: 'transfusion reaction; severe reaction to antibiotic; pulmonary embolism; and postoperative complications with a fracture.'
  ➜ Skipping stray line: 'C472 - Caring Arts and Science Across the Lifespan Part II Clinical Learning - The clinical learning course for CASAL II includes all aspects of'
  ➜ Skipping stray line: 'clinical learning related to medical surgical nursing practice. Learning labs will teach and assess task skill knowledge progressing to high fidelity'
  ➜ Skipping stray line: 'simulation scenarios to develop mastery of situated use of knowledge and synthesis of knowledge in clinical scenarios that focus on perioperative'
  ➜ Skipping stray line: 'care. The virtual simulations that students completed in didactic will prepare them for their learning lab scenarios. Students who are successful in lab'
  ➜ Skipping stray line: 'assessments will progress to live patient clinicals and will be assessed for their mastery of basic levels of the key behaviors for clinical practice of'
  ➜ Skipping stray line: 'Medical Surgical nursing.'
  ➜ Skipping stray line: 'C473 - Care of Adults with Complex Illnesses - The Care of Adults with Complex Illnesses course builds on prior knowledge of medical surgical'
  ➜ Skipping stray line: 'nursing care and common conditions, focusing on diseases and conditions that affect the neuromuscular system, the musculoskeletal system, the'
  ➜ Skipping stray line: 'kidneys, the pancreas, and diseases such as cancer and impaired immunity, which affect every part of the body. Students will develop mastery of'
  ➜ Skipping stray line: 'competencies related to advanced medical surgical nursing practice. This course also utilizes virtual simulation scenarios to help students prepare for'
  ➜ Skipping stray line: 'their learning labs and their clinical intensives. Students work through the following patient scenarios: diabetes/hypoglycemia; postop abdominal'
  ➜ Skipping stray line: 'hysterectomy/opioid intoxication; acute severe asthma; acute myocardial infarction; and respiratory system disease.'
  ➜ Skipping stray line: 'C474 - Clinical Learning for Complex Illnesses in Adults - Clinical Care of Adults with Complex Illnesses includes all aspects of clinical learning'
  ➜ Skipping stray line: 'related to advanced medical surgical nursing practice. Learning labs will teach and assess advanced clinical competencies through the use of high'
  ➜ Skipping stray line: 'fidelity simulation and advanced clinical debriefing for clinical scenarios. Students participate in skills related to advance medication administration,'
  ➜ Skipping stray line: 'central venous devices, and peripherally inserted central catheters. The virtual simulations that students completed in didactic will prepare them for'
  ➜ Skipping stray line: 'their learning lab scenarios. Students who are successful in simulation assessments will progress to live patient clinicals and will be assessed for their'
  ➜ Title candidate: 'mastery of advanced levels of the key behaviors for clinical practice of Medical Surgical nursing.'
  ✔️ Collected description (1790 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 5403: 'C299 - Designing Customized Security - The course provides an introduction to the core security concepts and skills needed for the installation,'

🔍 parse_program: starting at line 5403: 'C299 - Designing Customized Security - The course provides an introduction to the core security concepts and skills needed for the installation,'
  ➜ Title candidate: 'C299 - Designing Customized Security - The course provides an introduction to the core security concepts and skills needed for the installation,'
  ❌ Invalid title line: 'C299 - Designing Customized Security - The course provides an introduction to the core security concepts and skills needed for the installation,'
  ➜ Parsing at 5404: 'monitoring, and troubleshooting of network security features to maintain the integrity, confidentiality, and availability of data and devices. Successfully'

🔍 parse_program: starting at line 5404: 'monitoring, and troubleshooting of network security features to maintain the integrity, confidentiality, and availability of data and devices. Successfully'
  ➜ Title candidate: 'monitoring, and troubleshooting of network security features to maintain the integrity, confidentiality, and availability of data and devices. Successfully'
  ❌ Invalid title line: 'monitoring, and troubleshooting of network security features to maintain the integrity, confidentiality, and availability of data and devices. Successfully'
  ➜ Parsing at 5405: 'completing this course will certify these skills. You will also develop competency in the technologies that Cisco uses in its security infrastructure.'

🔍 parse_program: starting at line 5405: 'completing this course will certify these skills. You will also develop competency in the technologies that Cisco uses in its security infrastructure.'
  ➜ Title candidate: 'completing this course will certify these skills. You will also develop competency in the technologies that Cisco uses in its security infrastructure.'
  ❌ Invalid title line: 'completing this course will certify these skills. You will also develop competency in the technologies that Cisco uses in its security infrastructure.'
  ➜ Parsing at 5406: 'Recommended Experience: You should possess a current Cisco Certified Network Administrator in Routing and Switching certification. This course'

🔍 parse_program: starting at line 5406: 'Recommended Experience: You should possess a current Cisco Certified Network Administrator in Routing and Switching certification. This course'
  ➜ Title candidate: 'Recommended Experience: You should possess a current Cisco Certified Network Administrator in Routing and Switching certification. This course'
  ❌ Invalid title line: 'Recommended Experience: You should possess a current Cisco Certified Network Administrator in Routing and Switching certification. This course'
  ➜ Parsing at 5407: 'prepares students for the following certification exam: Cisco CCNA Security.'

🔍 parse_program: starting at line 5407: 'prepares students for the following certification exam: Cisco CCNA Security.'
  ➜ Title candidate: 'prepares students for the following certification exam: Cisco CCNA Security.'
  ❌ Invalid title line: 'prepares students for the following certification exam: Cisco CCNA Security.'
  ➜ Parsing at 5408: 'C301 - Translational Research for Practice and Populations - This graduate-level course builds on your baccalaureate-level statistical knowledge'

🔍 parse_program: starting at line 5408: 'C301 - Translational Research for Practice and Populations - This graduate-level course builds on your baccalaureate-level statistical knowledge'
  ➜ Title candidate: 'C301 - Translational Research for Practice and Populations - This graduate-level course builds on your baccalaureate-level statistical knowledge'
  ❌ Invalid title line: 'C301 - Translational Research for Practice and Populations - This graduate-level course builds on your baccalaureate-level statistical knowledge'
  ➜ Parsing at 5409: 'to help you develop skills in analyzing, interpreting, and translating research into nursing practice using principles of patient-centered care and'

🔍 parse_program: starting at line 5409: 'to help you develop skills in analyzing, interpreting, and translating research into nursing practice using principles of patient-centered care and'
  ➜ Title candidate: 'to help you develop skills in analyzing, interpreting, and translating research into nursing practice using principles of patient-centered care and'
  ❌ Invalid title line: 'to help you develop skills in analyzing, interpreting, and translating research into nursing practice using principles of patient-centered care and'
  ➜ Parsing at 5410: 'applications to individuals and populations'

🔍 parse_program: starting at line 5410: 'applications to individuals and populations'
  ➜ Title candidate: 'applications to individuals and populations'
  ❌ Invalid title line: 'applications to individuals and populations'
  ➜ Parsing at 5411: 'C304 - Professional Roles and Values - This course explores the unique role nurses play in healthcare, beginning with the history and evolution of'

🔍 parse_program: starting at line 5411: 'C304 - Professional Roles and Values - This course explores the unique role nurses play in healthcare, beginning with the history and evolution of'
  ➜ Title candidate: 'C304 - Professional Roles and Values - This course explores the unique role nurses play in healthcare, beginning with the history and evolution of'
  ❌ Invalid title line: 'C304 - Professional Roles and Values - This course explores the unique role nurses play in healthcare, beginning with the history and evolution of'
  ➜ Parsing at 5412: 'the nursing profession. The responsibilities and accountability of professional nurses are covered, including cultural competency, advocacy for patient'

🔍 parse_program: starting at line 5412: 'the nursing profession. The responsibilities and accountability of professional nurses are covered, including cultural competency, advocacy for patient'
  ➜ Title candidate: 'the nursing profession. The responsibilities and accountability of professional nurses are covered, including cultural competency, advocacy for patient'
  ❌ Invalid title line: 'the nursing profession. The responsibilities and accountability of professional nurses are covered, including cultural competency, advocacy for patient'
  ➜ Parsing at 5413: 'rights, and the legal and ethical issues related to supervision and delegation. Professional conduct, leadership, the public image of nursing, the work'

🔍 parse_program: starting at line 5413: 'rights, and the legal and ethical issues related to supervision and delegation. Professional conduct, leadership, the public image of nursing, the work'
  ➜ Title candidate: 'rights, and the legal and ethical issues related to supervision and delegation. Professional conduct, leadership, the public image of nursing, the work'
  ❌ Invalid title line: 'rights, and the legal and ethical issues related to supervision and delegation. Professional conduct, leadership, the public image of nursing, the work'
  ➜ Parsing at 5414: 'environment, and issues of social justice are also addressed.'

🔍 parse_program: starting at line 5414: 'environment, and issues of social justice are also addressed.'
  ➜ Title candidate: 'environment, and issues of social justice are also addressed.'
  ❌ Invalid title line: 'environment, and issues of social justice are also addressed.'
  ➜ Parsing at 5415: 'C306 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'

🔍 parse_program: starting at line 5415: 'C306 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ➜ Title candidate: 'C306 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ❌ Invalid title line: 'C306 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ➜ Parsing at 5416: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'

🔍 parse_program: starting at line 5416: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ➜ Title candidate: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ❌ Invalid title line: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ➜ Parsing at 5417: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'

🔍 parse_program: starting at line 5417: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ➜ Title candidate: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ❌ Invalid title line: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ➜ Parsing at 5418: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'

🔍 parse_program: starting at line 5418: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ➜ Title candidate: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ❌ Invalid title line: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ➜ Parsing at 5419: 'C307 - Supervised Demonstration Teaching in Elementary Education, Observations 1 and 2 - Supervised Demonstration Teaching in'

🔍 parse_program: starting at line 5419: 'C307 - Supervised Demonstration Teaching in Elementary Education, Observations 1 and 2 - Supervised Demonstration Teaching in'
  ➜ Title candidate: 'C307 - Supervised Demonstration Teaching in Elementary Education, Observations 1 and 2 - Supervised Demonstration Teaching in'
  ❌ Invalid title line: 'C307 - Supervised Demonstration Teaching in Elementary Education, Observations 1 and 2 - Supervised Demonstration Teaching in'
  ➜ Parsing at 5420: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'

🔍 parse_program: starting at line 5420: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Title candidate: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ❌ Invalid title line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Parsing at 5421: 'comprehensive performance data about the teacher candidate’s skills.'

🔍 parse_program: starting at line 5421: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Title candidate: 'comprehensive performance data about the teacher candidate’s skills.'
  ❌ Invalid title line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Parsing at 5422: 'C308 - Supervised Demonstration Teaching in Elementary Education, Observation 3 and Midterm - Supervised Demonstration Teaching in'

🔍 parse_program: starting at line 5422: 'C308 - Supervised Demonstration Teaching in Elementary Education, Observation 3 and Midterm - Supervised Demonstration Teaching in'
  ➜ Title candidate: 'C308 - Supervised Demonstration Teaching in Elementary Education, Observation 3 and Midterm - Supervised Demonstration Teaching in'
  ❌ Invalid title line: 'C308 - Supervised Demonstration Teaching in Elementary Education, Observation 3 and Midterm - Supervised Demonstration Teaching in'
  ➜ Parsing at 5423: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'

🔍 parse_program: starting at line 5423: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Title candidate: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ❌ Invalid title line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Parsing at 5424: 'comprehensive performance data about the teacher candidate’s skills.'

🔍 parse_program: starting at line 5424: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Title candidate: 'comprehensive performance data about the teacher candidate’s skills.'
  ❌ Invalid title line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Parsing at 5425: 'C309 - Supervised Demonstration Teaching in Elementary Education, Observations 4 and 5 - Supervised Demonstration Teaching in'

🔍 parse_program: starting at line 5425: 'C309 - Supervised Demonstration Teaching in Elementary Education, Observations 4 and 5 - Supervised Demonstration Teaching in'
  ➜ Title candidate: 'C309 - Supervised Demonstration Teaching in Elementary Education, Observations 4 and 5 - Supervised Demonstration Teaching in'
  ❌ Invalid title line: 'C309 - Supervised Demonstration Teaching in Elementary Education, Observations 4 and 5 - Supervised Demonstration Teaching in'
  ➜ Parsing at 5426: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'

🔍 parse_program: starting at line 5426: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Title candidate: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ❌ Invalid title line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Parsing at 5427: 'comprehensive performance data about the teacher candidate’s skills.'

🔍 parse_program: starting at line 5427: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Title candidate: 'comprehensive performance data about the teacher candidate’s skills.'
  ❌ Invalid title line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Parsing at 5428: 'C310 - Supervised Demonstration Teaching in Elementary Education, Observation 6 and Final - Supervised Demonstration Teaching in'

🔍 parse_program: starting at line 5428: 'C310 - Supervised Demonstration Teaching in Elementary Education, Observation 6 and Final - Supervised Demonstration Teaching in'
  ➜ Title candidate: 'C310 - Supervised Demonstration Teaching in Elementary Education, Observation 6 and Final - Supervised Demonstration Teaching in'
  ❌ Invalid title line: 'C310 - Supervised Demonstration Teaching in Elementary Education, Observation 6 and Final - Supervised Demonstration Teaching in'
  ➜ Parsing at 5429: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'

🔍 parse_program: starting at line 5429: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Title candidate: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ❌ Invalid title line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Parsing at 5430: 'comprehensive performance data about the teacher candidate’s skills.'

🔍 parse_program: starting at line 5430: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Title candidate: 'comprehensive performance data about the teacher candidate’s skills.'
  ❌ Invalid title line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Parsing at 5431: 'C311 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 1 and 2 - Supervised Demonstration Teaching in'

🔍 parse_program: starting at line 5431: 'C311 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 1 and 2 - Supervised Demonstration Teaching in'
  ➜ Title candidate: 'C311 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 1 and 2 - Supervised Demonstration Teaching in'
  ❌ Invalid title line: 'C311 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 1 and 2 - Supervised Demonstration Teaching in'
  ➜ Parsing at 5432: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'

🔍 parse_program: starting at line 5432: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Title candidate: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ❌ Invalid title line: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Parsing at 5433: 'comprehensive performance data about the teacher candidate’s skills.'

🔍 parse_program: starting at line 5433: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Title candidate: 'comprehensive performance data about the teacher candidate’s skills.'
  ❌ Invalid title line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Parsing at 5434: 'C312 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 3 and Midterm - Supervised Demonstration Teaching in'

🔍 parse_program: starting at line 5434: 'C312 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 3 and Midterm - Supervised Demonstration Teaching in'
  ➜ Title candidate: 'C312 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 3 and Midterm - Supervised Demonstration Teaching in'
  ❌ Invalid title line: 'C312 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 3 and Midterm - Supervised Demonstration Teaching in'
  ➜ Parsing at 5435: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'

🔍 parse_program: starting at line 5435: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Title candidate: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ❌ Invalid title line: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Parsing at 5436: 'comprehensive performance data about the teacher candidate’s skills.'

🔍 parse_program: starting at line 5436: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Title candidate: 'comprehensive performance data about the teacher candidate’s skills.'
  ❌ Invalid title line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Parsing at 5437: 'C313 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 4 and 5 - Supervised Demonstration Teaching in'

🔍 parse_program: starting at line 5437: 'C313 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 4 and 5 - Supervised Demonstration Teaching in'
  ➜ Title candidate: 'C313 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 4 and 5 - Supervised Demonstration Teaching in'
  ❌ Invalid title line: 'C313 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 4 and 5 - Supervised Demonstration Teaching in'
  ➜ Parsing at 5438: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'

🔍 parse_program: starting at line 5438: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Title candidate: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ❌ Invalid title line: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Parsing at 5439: 'comprehensive performance data about the teacher candidate’s skills.'

🔍 parse_program: starting at line 5439: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Title candidate: 'comprehensive performance data about the teacher candidate’s skills.'
  ❌ Invalid title line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Parsing at 5440: 'C314 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 6 and Final - Supervised Demonstration Teaching in'

🔍 parse_program: starting at line 5440: 'C314 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 6 and Final - Supervised Demonstration Teaching in'
  ➜ Title candidate: 'C314 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 6 and Final - Supervised Demonstration Teaching in'
  ❌ Invalid title line: 'C314 - Supervised Demonstration Teaching in Elementary and Special Education, Obs 6 and Final - Supervised Demonstration Teaching in'
  ➜ Parsing at 5441: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'

🔍 parse_program: starting at line 5441: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Title candidate: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ❌ Invalid title line: 'Elementary and Special Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Parsing at 5442: 'comprehensive performance data about the teacher candidate’s skills.'

🔍 parse_program: starting at line 5442: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Title candidate: 'comprehensive performance data about the teacher candidate’s skills.'
  ❌ Invalid title line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Parsing at 5443: 'C315 - Supervised Demonstration Teaching in Mathematics, Observations 1 and 2 - Supervised Demonstration Teaching in Mathematics'

🔍 parse_program: starting at line 5443: 'C315 - Supervised Demonstration Teaching in Mathematics, Observations 1 and 2 - Supervised Demonstration Teaching in Mathematics'
  ➜ Title candidate: 'C315 - Supervised Demonstration Teaching in Mathematics, Observations 1 and 2 - Supervised Demonstration Teaching in Mathematics'
  ❌ Invalid title line: 'C315 - Supervised Demonstration Teaching in Mathematics, Observations 1 and 2 - Supervised Demonstration Teaching in Mathematics'
  ➜ Parsing at 5444: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'

🔍 parse_program: starting at line 5444: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Title candidate: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ❌ Invalid title line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Parsing at 5445: 'about the teacher candidate’s skills.'

🔍 parse_program: starting at line 5445: 'about the teacher candidate’s skills.'
  ➜ Title candidate: 'about the teacher candidate’s skills.'
  ❌ Invalid title line: 'about the teacher candidate’s skills.'
  ➜ Parsing at 5446: 'C316 - Supervised Demonstration Teaching in Mathematics, Observation 3 and Midterm - Supervised Demonstration Teaching in Mathematics'

🔍 parse_program: starting at line 5446: 'C316 - Supervised Demonstration Teaching in Mathematics, Observation 3 and Midterm - Supervised Demonstration Teaching in Mathematics'
  ➜ Title candidate: 'C316 - Supervised Demonstration Teaching in Mathematics, Observation 3 and Midterm - Supervised Demonstration Teaching in Mathematics'
  ❌ Invalid title line: 'C316 - Supervised Demonstration Teaching in Mathematics, Observation 3 and Midterm - Supervised Demonstration Teaching in Mathematics'
  ➜ Parsing at 5447: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'

🔍 parse_program: starting at line 5447: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Title candidate: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ❌ Invalid title line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Parsing at 5448: 'about the teacher candidate’s skills.'

🔍 parse_program: starting at line 5448: 'about the teacher candidate’s skills.'
  ➜ Title candidate: 'about the teacher candidate’s skills.'
  ❌ Invalid title line: 'about the teacher candidate’s skills.'
  ➜ Parsing at 5449: 'C317 - Supervised Demonstration Teaching in Mathematics, Observations 4 and 5 - Supervised Demonstration Teaching in Mathematics'

🔍 parse_program: starting at line 5449: 'C317 - Supervised Demonstration Teaching in Mathematics, Observations 4 and 5 - Supervised Demonstration Teaching in Mathematics'
  ➜ Title candidate: 'C317 - Supervised Demonstration Teaching in Mathematics, Observations 4 and 5 - Supervised Demonstration Teaching in Mathematics'
  ❌ Invalid title line: 'C317 - Supervised Demonstration Teaching in Mathematics, Observations 4 and 5 - Supervised Demonstration Teaching in Mathematics'
  ➜ Parsing at 5450: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'

🔍 parse_program: starting at line 5450: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Title candidate: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ❌ Invalid title line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Parsing at 5451: 'about the teacher candidate’s skills.'

🔍 parse_program: starting at line 5451: 'about the teacher candidate’s skills.'
  ➜ Title candidate: 'about the teacher candidate’s skills.'
  ❌ Invalid title line: 'about the teacher candidate’s skills.'
  ➜ Parsing at 5452: 'C318 - Supervised Demonstration Teaching in Mathematics, Observation 6 and Final - Supervised Demonstration Teaching in Mathematics'

🔍 parse_program: starting at line 5452: 'C318 - Supervised Demonstration Teaching in Mathematics, Observation 6 and Final - Supervised Demonstration Teaching in Mathematics'
  ➜ Title candidate: 'C318 - Supervised Demonstration Teaching in Mathematics, Observation 6 and Final - Supervised Demonstration Teaching in Mathematics'
  ❌ Invalid title line: 'C318 - Supervised Demonstration Teaching in Mathematics, Observation 6 and Final - Supervised Demonstration Teaching in Mathematics'
  ➜ Parsing at 5453: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'

🔍 parse_program: starting at line 5453: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Title candidate: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ❌ Invalid title line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Parsing at 5454: 'about the teacher candidate’s skills.'

🔍 parse_program: starting at line 5454: 'about the teacher candidate’s skills.'
  ➜ Title candidate: 'about the teacher candidate’s skills.'
  ❌ Invalid title line: 'about the teacher candidate’s skills.'
  ➜ Parsing at 5455: 'C319 - Supervised Demonstration Teaching in Science, Observations 1 and 2 - Supervised Demonstration Teaching in Science involves a series'

🔍 parse_program: starting at line 5455: 'C319 - Supervised Demonstration Teaching in Science, Observations 1 and 2 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Title candidate: 'C319 - Supervised Demonstration Teaching in Science, Observations 1 and 2 - Supervised Demonstration Teaching in Science involves a series'
  ❌ Invalid title line: 'C319 - Supervised Demonstration Teaching in Science, Observations 1 and 2 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Parsing at 5456: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'

🔍 parse_program: starting at line 5456: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Title candidate: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ❌ Invalid title line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Parsing at 5457: 'candidate’s skills.'

🔍 parse_program: starting at line 5457: 'candidate’s skills.'
  ➜ Title candidate: 'candidate’s skills.'
  ❌ Invalid title line: 'candidate’s skills.'
  ➜ Parsing at 5458: 'C320 - Supervised Demonstration Teaching in Science, Observation 3 and Midterm - Supervised Demonstration Teaching in Science involves a'

🔍 parse_program: starting at line 5458: 'C320 - Supervised Demonstration Teaching in Science, Observation 3 and Midterm - Supervised Demonstration Teaching in Science involves a'
  ➜ Title candidate: 'C320 - Supervised Demonstration Teaching in Science, Observation 3 and Midterm - Supervised Demonstration Teaching in Science involves a'
  ❌ Invalid title line: 'C320 - Supervised Demonstration Teaching in Science, Observation 3 and Midterm - Supervised Demonstration Teaching in Science involves a'
  ➜ Parsing at 5459: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'

🔍 parse_program: starting at line 5459: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Title candidate: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ❌ Invalid title line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Parsing at 5460: 'teacher candidate’s skills.'

🔍 parse_program: starting at line 5460: 'teacher candidate’s skills.'
  ➜ Title candidate: 'teacher candidate’s skills.'
  ❌ Invalid title line: 'teacher candidate’s skills.'
  ➜ Parsing at 5461: 'C321 - Supervised Demonstration Teaching in Science, Observations 4 and 5 - Supervised Demonstration Teaching in Science involves a series'

🔍 parse_program: starting at line 5461: 'C321 - Supervised Demonstration Teaching in Science, Observations 4 and 5 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Title candidate: 'C321 - Supervised Demonstration Teaching in Science, Observations 4 and 5 - Supervised Demonstration Teaching in Science involves a series'
  ❌ Invalid title line: 'C321 - Supervised Demonstration Teaching in Science, Observations 4 and 5 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Parsing at 5462: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'

🔍 parse_program: starting at line 5462: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Title candidate: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ❌ Invalid title line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Parsing at 5463: 'candidate’s skills.'

🔍 parse_program: starting at line 5463: 'candidate’s skills.'
  ➜ Title candidate: 'candidate’s skills.'
  ❌ Invalid title line: 'candidate’s skills.'
  ➜ Parsing at 5464: 'C322 - Supervised Demonstration Teaching in Science, Observation 6 and Final - Supervised Demonstration Teaching in Science involves a'

🔍 parse_program: starting at line 5464: 'C322 - Supervised Demonstration Teaching in Science, Observation 6 and Final - Supervised Demonstration Teaching in Science involves a'
  ➜ Title candidate: 'C322 - Supervised Demonstration Teaching in Science, Observation 6 and Final - Supervised Demonstration Teaching in Science involves a'
  ❌ Invalid title line: 'C322 - Supervised Demonstration Teaching in Science, Observation 6 and Final - Supervised Demonstration Teaching in Science involves a'
  ➜ Parsing at 5465: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'

🔍 parse_program: starting at line 5465: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Title candidate: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ❌ Invalid title line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Parsing at 5466: 'teacher candidate’s skills.'

🔍 parse_program: starting at line 5466: 'teacher candidate’s skills.'
  ➜ Title candidate: 'teacher candidate’s skills.'
  ❌ Invalid title line: 'teacher candidate’s skills.'
  ➜ Parsing at 5467: 'C323 - Supervised Demonstration Teaching in Elementary Education, Observations 1 and 2 - Supervised Demonstration Teaching in'

🔍 parse_program: starting at line 5467: 'C323 - Supervised Demonstration Teaching in Elementary Education, Observations 1 and 2 - Supervised Demonstration Teaching in'
  ➜ Title candidate: 'C323 - Supervised Demonstration Teaching in Elementary Education, Observations 1 and 2 - Supervised Demonstration Teaching in'
  ❌ Invalid title line: 'C323 - Supervised Demonstration Teaching in Elementary Education, Observations 1 and 2 - Supervised Demonstration Teaching in'
  ➜ Parsing at 5468: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'

🔍 parse_program: starting at line 5468: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Title candidate: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ❌ Invalid title line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Parsing at 5469: 'comprehensive performance data about the teacher candidate’s skills.'

🔍 parse_program: starting at line 5469: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Title candidate: 'comprehensive performance data about the teacher candidate’s skills.'
  ❌ Invalid title line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Parsing at 5470: 'C324 - Supervised Demonstration Teaching in Elementary Education, Observation 3 and Midterm - Supervised Demonstration Teaching in'

🔍 parse_program: starting at line 5470: 'C324 - Supervised Demonstration Teaching in Elementary Education, Observation 3 and Midterm - Supervised Demonstration Teaching in'
  ➜ Title candidate: 'C324 - Supervised Demonstration Teaching in Elementary Education, Observation 3 and Midterm - Supervised Demonstration Teaching in'
  ❌ Invalid title line: 'C324 - Supervised Demonstration Teaching in Elementary Education, Observation 3 and Midterm - Supervised Demonstration Teaching in'
  ➜ Parsing at 5471: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'

🔍 parse_program: starting at line 5471: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Title candidate: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ❌ Invalid title line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Parsing at 5472: 'comprehensive performance data about the teacher candidate’s skills.'

🔍 parse_program: starting at line 5472: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Title candidate: 'comprehensive performance data about the teacher candidate’s skills.'
  ❌ Invalid title line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Parsing at 5473: 'C325 - Supervised Demonstration Teaching in Elementary Education, Observations 4 and 5 - Supervised Demonstration Teaching in'

🔍 parse_program: starting at line 5473: 'C325 - Supervised Demonstration Teaching in Elementary Education, Observations 4 and 5 - Supervised Demonstration Teaching in'
  ➜ Title candidate: 'C325 - Supervised Demonstration Teaching in Elementary Education, Observations 4 and 5 - Supervised Demonstration Teaching in'
  ❌ Invalid title line: 'C325 - Supervised Demonstration Teaching in Elementary Education, Observations 4 and 5 - Supervised Demonstration Teaching in'
  ➜ Parsing at 5474: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'

🔍 parse_program: starting at line 5474: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Title candidate: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ❌ Invalid title line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Parsing at 5475: 'comprehensive performance data about the teacher candidate’s skills.'

🔍 parse_program: starting at line 5475: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Title candidate: 'comprehensive performance data about the teacher candidate’s skills.'
  ❌ Invalid title line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Parsing at 5476: '© Western Governors University 7/19/17 154'

🔍 parse_program: starting at line 5476: '© Western Governors University 7/19/17 154'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'C326 - Supervised Demonstration Teaching in Elementary Education, Observation 6 and Final - Supervised Demonstration Teaching in'
  ➜ Skipping stray line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Skipping stray line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C327 - Supervised Demonstration Teaching in Mathematics, Observations 1 and 2 - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C328 - Supervised Demonstration Teaching in Mathematics, Observation 3 and Midterm - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C329 - Supervised Demonstration Teaching in Mathematics, Observations 4 and 5 - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C330 - Supervised Demonstration Teaching in Mathematics, Observation 6 and Final - Supervised Demonstration Teaching in Mathematics'
  ➜ Skipping stray line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Skipping stray line: 'about the teacher candidate’s skills.'
  ➜ Skipping stray line: 'C331 - Supervised Demonstration Teaching in Science, Observations 1 and 2 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C332 - Supervised Demonstration Teaching in Science, Observation 3 and Midterm - Supervised Demonstration Teaching in Science involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C333 - Supervised Demonstration Teaching in Science, Observations 4 and 5 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C334 - Supervised Demonstration Teaching in Science, Observation 6 and Final - Supervised Demonstration Teaching in Science involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C339 - Cohort Seminar - Cohort Seminar provides mentoring and supports teacher candidates during their demonstration teaching period by'
  ➜ Skipping stray line: 'providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates their demonstration of competence in'
  ➜ Skipping stray line: 'becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom, exploring community resources, building'
  ➜ Skipping stray line: 'collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'
  ➜ Skipping stray line: 'C340 - Cohort Seminar in Special Education - Cohort Seminar in Special Education provides mentoring and supports teacher candidates during'
  ➜ Skipping stray line: 'their demonstration teaching period by providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates'
  ➜ Skipping stray line: 'their demonstration of competence in becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom,'
  ➜ Skipping stray line: 'exploring community resources, building collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'
  ➜ Skipping stray line: 'C341 - Cohort Seminar - Cohort Seminar provides mentoring and supports teacher candidates during their demonstration teaching period by'
  ➜ Skipping stray line: 'providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates their demonstration of competence in'
  ➜ Skipping stray line: 'becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom, exploring community resources, building'
  ➜ Skipping stray line: 'collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'
  ➜ Skipping stray line: 'C347 - Professional Portfolio - You will create an online teaching portfolio that includes professional artifacts (e.g. resume and Philosophy of'
  ➜ Skipping stray line: 'Teaching Statement) that demonstrate the skills you have acquired throughout your Demonstration Teaching experience.'
  ➜ Skipping stray line: 'C348 - Professional Portfolio - You will create an online teaching portfolio that includes professional artifacts (e.g. resume and Philosophy of'
  ➜ Skipping stray line: 'Teaching Statement) that demonstrate the skills you have acquired throughout your Demonstration Teaching experience.'
  ➜ Skipping stray line: 'C349 - Health Assessment - The Health Assessment course is designed to enhance students’ knowledge and skills in health promotion, the early'
  ➜ Skipping stray line: 'detection of illness and prevention of disease. To that end the course provides relevant content and skills necessary to perform a comprehensive'
  ➜ Skipping stray line: 'physical assessment of patients throughout the lifespan. Students are engaged in these processes through interviewing, history taking and'
  ➜ Skipping stray line: 'demonstration of an advanced-level physical examination. Dominant models, theories and perspectives related to evidence-based wellness practices'
  ➜ Skipping stray line: 'and health education strategies also are included in this challenging course. Competency is measured through successful completion of two'
  ➜ Skipping stray line: 'performance tasks. It is recommended that students plan to complete C349 in four to six weeks.'
  ➜ Skipping stray line: 'C350 - Comprehensive Health Assessment for Patients and Populations - In this course, students will learn about the principles of health'
  ➜ Skipping stray line: 'assessment from the individual to the global level. Students will learn to perform a comprehensive functional health assessment that includes social'
  ➜ Skipping stray line: 'structures, family history, and environmental situations, from the individual patient to the population. This course builds on prior knowledge gained in'
  ➜ Skipping stray line: 'previous courses and in nursing practice, in areas such as pathophysiology, pharmacology, and epidemiology, and focus on applying this knowledge'
  ➜ Skipping stray line: 'in various populations with common disorders.'
  ➜ Skipping stray line: 'This course is roughly divided into three parts:'
  ➜ Skipping stray line: '• Advanced health assessment focusing on abnormal findings for common disease.'
  ➜ Skipping stray line: '• Integrating health assessment findings into a population, considering such issue as culture, spirituality, and continuum.'
  ➜ Skipping stray line: '• Functionality of clients based upon the problems and populations.'
  ➜ Skipping stray line: 'C351 - Professional Presence and Influence - Who we are and how we behave affects others. Our professional presence in therapeutic settings'
  ➜ Skipping stray line: 'can support or inhibit well-being not only in patients, but also in the rest of the health care team, in the family and support system of the patients, and'
  ➜ Skipping stray line: 'in the health care organization as a whole. This course will help registered nurses manage this impact by recognizing situations and practices that'
  ➜ Skipping stray line: 'support a positive environment and cultivating actions and responses to achieve and maintain this environment. The growth of self-knowledge will'
  ➜ Skipping stray line: 'expand nurses’ ability to direct influence in ways that are intended rather than in random or destructive ways.'
  ➜ Skipping stray line: 'C352 - Contemporary Pharmacotherapeutics - This course provides the opportunity to acquire advanced knowledge and skills in the therapeutic'
  ➜ Skipping stray line: 'use of pharmacologic agents, herbals, and supplements. Students will explore the pharmacologic treatment of major health problems and examine the'
  ➜ Skipping stray line: 'principles of pharmacogenomics. The effects of culture, ethnicity, age, pregnancy, gender, healthcare setting, and funding of pharmacologic therapy'
  ➜ Skipping stray line: 'will be emphasized. Legal aspects of prescribing will be fully addressed. Case studies will be utilized to present some of these concepts.'
  ➜ Skipping stray line: 'C358 - Foundations of Nursing Education - This graduate level course in the education specialty core examines the contemporary issues of nursing'
  ➜ Skipping stray line: 'education. While traditional contexts for learning are included, students will also focus on modern technology and trends in nursing education.'
  ➜ Skipping stray line: 'Students will explore curriculum development, educational philosophy, theories and models, instruction and evaluation, as well as e-learning,'
  ➜ Skipping stray line: 'simulations, and current technology in nursing education.'
  ➜ Skipping stray line: 'C359 - Future Directions in Contemporary Learning and Education - This course builds on previously developed concepts acquired in'
  ➜ Skipping stray line: 'Foundations of Nursing Education and Facilitating Learning in the 21st Century. This course will explore how changes in the economy, advancements'
  ➜ Skipping stray line: 'in science, and the explosion of technology have created a paradigm shift in nursing education. Graduates will further explore the role of the educator'
  ➜ Skipping stray line: 'and the application of innovative education strategies.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 155'
  ➜ Skipping stray line: 'C360 - Teacher Work Sample in English Language Learning - The Teacher Work Sample is a culmination of the wide variety of skills learned'
  ➜ Skipping stray line: 'during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of'
  ➜ Skipping stray line: 'your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C361 - Evidence Based Practice and Applied Nursing Research - The Evidence Based Practice and Applied Nursing Research course will help'
  ➜ Skipping stray line: 'you to learn how to design and conduct research to answer important questions about improving nursing practice and patient care delivery outcomes.'
  ➜ Skipping stray line: 'After you are introduced to the basics of evidence-based practice, you will continue to implement the principles throughout your clinical experience.'
  ➜ Skipping stray line: 'This will allow you to graduate with more competence and confidence to become a leader in the healing environment.'
  ➜ Skipping stray line: 'C362 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to apply'
  ➜ Skipping stray line: 'differential calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include functions, limits, continuity,'
  ➜ Skipping stray line: 'differentiability, visual, analytical, and conceptual approaches to the definition of the derivative, the power, chain, sum, product, and quotient rules'
  ➜ Skipping stray line: 'applied to polynomial, trigonometric, exponential, and logarithmic functions, implicit differentiation, position, velocity, and acceleration, optimization,'
  ➜ Skipping stray line: 'related rates, curve sketching, and L'Hopital's Rule. Pre-Calculus is a pre-requisite for this course.'
  ➜ Skipping stray line: 'C363 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to apply'
  ➜ Skipping stray line: 'differential calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include functions, limits, continuity,'
  ➜ Skipping stray line: 'differentiability, visual, analytical, and conceptual approaches to the definition of the derivative, the power, chain, sum, product, and quotient rules'
  ➜ Skipping stray line: 'applied to polynomial, trigonometric, exponential, and logarithmic functions, implicit differentiation, position, velocity, and acceleration, optimization,'
  ➜ Skipping stray line: 'related rates, curve sketching, and L'Hopital's Rule. Pre-Calculus is a pre-requisite for this course.'
  ➜ Skipping stray line: 'C365 - Language Arts Instruction and Intervention - Language Arts Instruction and Intervention helps students learn how to implement effective'
  ➜ Skipping stray line: 'language arts instruction and intervention in the elementary classroom. Topics include written and spoken English, expanding students' knowledge,'
  ➜ Skipping stray line: 'literature rich environments, differentiated instruction, technology for reading and writing, assessment strategies for reading and writing, and strategies'
  ➜ Skipping stray line: 'for developing academic language.'
  ➜ Skipping stray line: 'C367 - Elementary Physical Education and Health Methods - Elementary Physical Education and Health Methods helps students learn how to'
  ➜ Skipping stray line: 'implement effective physical and health education instruction in the elementary classroom. Topics include healthy lifestyles, student safety, student'
  ➜ Skipping stray line: 'nutrition, physical education, differentiated instruction for physical and health education, physical education across the curriculum, and public policy in'
  ➜ Skipping stray line: 'health and physical education.'
  ➜ Skipping stray line: 'C368 - Instructional Planning and Presentation in Elementary Education - Instructional Planning and Presentation assists students as they'
  ➜ Skipping stray line: 'continue to build instructional planning skills. Topics include unit and lesson planning, instructional presentation strategies, assessment, engagement,'
  ➜ Skipping stray line: 'integration of learning across the curriculum, effective grouping strategies, technology in the classroom, and using data to inform instruction.'
  ➜ Skipping stray line: 'C369 - Instructional Planning and Presentation in Science - Students will continue to build instructional planning skills with a focus on selecting'
  ➜ Skipping stray line: 'appropriate materials for diverse learners, selecting age- and ability- appropriate strategies for the content areas, promoting critical thinking, and'
  ➜ Skipping stray line: 'establishing both short- and long- term goals'
  ➜ Skipping stray line: 'C375 - Survey of World History - Through a thematic approach, this course explores the history of human societies over 5,000 years. Students'
  ➜ Skipping stray line: 'examine political and social structures, religious beliefs, economic systems, and patterns in trade, as well as many cultural attributes that came to'
  ➜ Skipping stray line: 'distinguish different societies around the globe over time. Special attention is given to relationships between these societies and the way geographic'
  ➜ Skipping stray line: 'and environmental factors influence human development.'
  ➜ Skipping stray line: 'C380 - Language Arts Instruction and Intervention - Language Arts Instruction and Intervention helps students learn how to implement effective'
  ➜ Skipping stray line: 'language arts instruction and intervention in the elementary classroom. Topics include written and spoken English, expanding students' knowledge,'
  ➜ Skipping stray line: 'literature rich environments, differentiated instruction, technology for reading and writing, assessment strategies for reading and writing, and strategies'
  ➜ Skipping stray line: 'for developing academic language.'
  ➜ Skipping stray line: 'C381 - Elementary Mathematics Methods - Elementary Mathematics Methods helps students learn how to implement effective math instruction in'
  ➜ Skipping stray line: 'the elementary classroom. Topics include differentiated math instruction, mathematical communication, mathematical tools for instruction, assessing'
  ➜ Skipping stray line: 'math understanding, integrating math across the curriculum, critical thinking development, standards based math instruction, and mathematical'
  ➜ Skipping stray line: 'models and representation.'
  ➜ Skipping stray line: 'C382 - Elementary Science Methods - Elementary Science Methods helps students learn how to implement effective science instruction in the'
  ➜ Skipping stray line: 'elementary classroom. Topics include processes of science, science inquiry, science learning environments, instructional strategies for science,'
  ➜ Skipping stray line: 'differentiated instruction for science, assessing science understanding, technology for science instruction, standards based science instruction,'
  ➜ Skipping stray line: 'integrating science across curriculum, and science beyond the classroom.'
  ➜ Skipping stray line: 'C388 - Science, Technology, and Society - Science, Technology, and Society explores the ways in which science influences and is influenced by'
  ➜ Skipping stray line: 'society and technology. A humanistic and social endeavor, science serves the needs of ever-changing societies by providing methods for observing,'
  ➜ Skipping stray line: 'questioning, discovering, and communicating information about the physical and natural world. This course prepares educators to explain the nature'
  ➜ Skipping stray line: 'and history of science, the various applications of science, and the scientific and engineering processes used to conduct investigations, make'
  ➜ Skipping stray line: 'decisions, and solve problems. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C389 - Science, Technology, and Society - Science, Technology, and Society explores the ways in which science influences and is influenced by'
  ➜ Skipping stray line: 'society and technology. A humanistic and social endeavor, science serves the needs of ever-changing societies by providing methods for observing,'
  ➜ Skipping stray line: 'questioning, discovering, and communicating information about the physical and natural world. This course prepares educators to explain the nature'
  ➜ Skipping stray line: 'and history of science, the various applications of science, and the scientific and engineering processes used to conduct investigations, make'
  ➜ Skipping stray line: 'decisions, and solve problems. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C393 - IT Foundations - IT Foundations is the first course in a two-part series preparatory for the CompTIA A+ exam, Part I. Students will gain an'
  ➜ Skipping stray line: 'understanding of personal computer components and their functions in a desktop system, as well as computer data storage and retrieval; classifying,'
  ➜ Skipping stray line: 'installing, configuring, optimizing, upgrading, and troubleshooting printers, laptops, portable devices, operating systems, networks, and system'
  ➜ Skipping stray line: 'security; recommending appropriate tools, diagnostic procedures, preventative maintenance and troubleshooting techniques for personal computer'
  ➜ Skipping stray line: 'components in a desktop system; strategies for identifying, preventing, and reporting safety hazards and environmental/human accidents in a'
  ➜ Skipping stray line: 'technological environments; and effective communication with colleagues and clients as well as job-related professional behavior.'
  ➜ Skipping stray line: 'C394 - IT Applications - IT Applications is a continuation of the IT Foundations course preparatory for the CompTIA A+ exam, Part II.'
  ➜ Skipping stray line: 'Students will gain an understanding of personal computer components and their functions in a desktop system. Also covered is computer data storage'
  ➜ Skipping stray line: 'and retrieval, including classifying, installing, configuring, optimizing, upgrading, and troubleshooting printers, laptops, portable devices, operating'
  ➜ Skipping stray line: 'systems, networks, and system security. Other areas include recommending appropriate tools, diagnostic procedures, preventative maintenance and'
  ➜ Skipping stray line: 'troubleshooting techniques for personal computer components in a desktop system. The course then finished with strategies for identifying,'
  ➜ Skipping stray line: 'preventing, and reporting safety hazards and environmental/human accidents in a technological environments, and effective communication with'
  ➜ Skipping stray line: 'colleagues and clients as well as job-related professional behavior.'
  ➜ Skipping stray line: 'C395 - Instructional Planning and Presentation in English - Applications in Instructional Planning and Presentation in English, as a continuation of'
  ➜ Skipping stray line: 'the Instructional Planning and Presentation course, helps students apply, analyze, and reflect on effective classroom instruction.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 156'
  ➜ Skipping stray line: 'C396 - English Pedagogy - English Pedagogy examines pedagogical applications for the teaching of reading, literature, composition, and related'
  ➜ Skipping stray line: 'English Language Arts (ELA) content and skills for middle and secondary schools. Focused on fostering and developing pedagogical content'
  ➜ Skipping stray line: 'knowledge in the aforementioned areas, students will analyze assessment strategies and incorporate methods of literacy instruction into their'
  ➜ Skipping stray line: 'instructional planning to meet the needs of diverse learners. This course helps students prepare and develop skills for classroom practice, lesson'
  ➜ Skipping stray line: 'planning, and working in school settings. C397 Preclinical Experiences in English is a prerequisite.'
  ➜ Skipping stray line: 'C397 - Preclinical Experiences in English - Preclinical Experiences in English provides students the opportunity to observe and participate in a wide'
  ➜ Skipping stray line: 'range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will reflect on'
  ➜ Skipping stray line: 'and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required to meet'
  ➜ Skipping stray line: 'several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C398 - Supervised Demonstration Teaching in English, Observations 1 and 2 - Supervised Demonstration Teaching in English involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C399 - Supervised Demonstration Teaching in English, Observation 3 and Midterm - Supervised Demonstration Teaching in English involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C400 - Supervised Demonstration Teaching in English, Observations 4 and 5 - Supervised Demonstration Teaching in English involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C401 - Supervised Demonstration Teaching in English, Observation 6 and Final - Supervised Demonstration Teaching in English involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C405 - Anatomy and Physiology II - This course introduces advanced concepts of human anatomy and physiology, through the investigation of the'
  ➜ Skipping stray line: 'structures and functions of the body's organ systems. Students will have the opportunity to explore the body through laboratory experience and apply'
  ➜ Skipping stray line: 'the concepts covered in this course. For nursing students this is the second of two anatomy and physiology courses within the program of study.'
  ➜ Skipping stray line: 'C410 - Collaborative Leadership Project - The purpose of this course is to practice applying collaborative leadership skills in an innovative'
  ➜ Skipping stray line: 'environment while engaging with a community. You will combine innovation with leadership to serve patients. You will also identify an innovation'
  ➜ Skipping stray line: 'process that will serve the Navajo Area Indian Health Services (NAIHS) facility in the Navajo Nation. The main task will be to collaborate with'
  ➜ Skipping stray line: 'stakeholders on the proposed process to address obesity.'
  ➜ Skipping stray line: 'C417 - Analytical Methods of Healthcare Professionals - This course explores the significance of research and statistics in care management. You'
  ➜ Skipping stray line: 'will start by examining the role of evidence-based decisions in care management and how to evaluate the quality of research used to make those'
  ➜ Skipping stray line: 'decisions. You will examine the role of statistics in making evidence-based decisions about care management. Finally, you will learn how statistics are'
  ➜ Skipping stray line: 'used in healthcare and how to test the validity of statistics in order to make informed care management decisions.'
  ➜ Skipping stray line: 'C421 - Health Information Technology Project - A medical group has decided to move forward with the organizational initiative of reducing health'
  ➜ Skipping stray line: 'disparities, increasing access, and improving outcomes by leading a cooperative of local healthcare organizations in a Community Health Information'
  ➜ Skipping stray line: 'Exchange System (CHIES) expansion plan founded on the governor’s vision to advance HIEs. You will complete an assessment of a CHIE, propose'
  ➜ Skipping stray line: 'an updated Electronic Health Records System (EHRS), and complete a CHIE feasibility assessment.'
  ➜ Skipping stray line: 'C423 - Challenges in Community Health Project - Community-based integrated healthcare requires skills in communication, management, and'
  ➜ Skipping stray line: 'resource utilization among healthcare personnel, healthcare organizations, and community and state entities. You will apply appropriate actions and'
  ➜ Skipping stray line: 'strategies consistent with the organizational mission, values, and needs in interactions with community leaders and members of the community. You'
  ➜ Skipping stray line: 'will learn and demonstrate utilization of communication and collaboration skills and the evaluation and application of data in problem-solving skills at'
  ➜ Skipping stray line: 'both the organizational and community level.'
  ➜ Skipping stray line: 'C424 - Integrated Healthcare Project - You will develop and present a comprehensive case study and business plan that proposes an integrated'
  ➜ Skipping stray line: 'system that includes, at a minimum, a health plan, hospitals, skilled nursing homes, and home health organizations to meet the rising health demands'
  ➜ Skipping stray line: 'of the baby-boomer population. You will choose an area of the U.S. with existing healthcare organizations, and present a model of an “open delivery'
  ➜ Skipping stray line: 'system” that serves as a financial hedge, enables experimentation, integrates culture (patient population demographics and regional healthcare'
  ➜ Skipping stray line: 'values and principles), incentives wellness and preventative care), and is value-based and consumer driven.'
  ➜ Skipping stray line: 'C425 - Healthcare Delivery Systems, Regulation, and Compliance - This course provides an overview of the U.S. healthcare system and focuses'
  ➜ Skipping stray line: 'on developing an understanding of the various sectors and roles involved in this complex industry. Policy and compliance issues are also addressed to'
  ➜ Skipping stray line: 'facilitate an appreciation for the highly regulated nature of healthcare delivery.'
  ➜ Skipping stray line: 'C426 - Healthcare Values and Ethics - This course explores ethical standards and considerations common to the healthcare environment such as'
  ➜ Skipping stray line: 'access to care, confidentiality, the allocation of limited resources, and billing practices. This course also focuses on the distinct value system'
  ➜ Skipping stray line: 'associated with the healthcare industry, as well as the values of professionalism.'
  ➜ Skipping stray line: 'C427 - Technology Applications in Healthcare - This course explores how technology continues to change and influence the healthcare industry.'
  ➜ Skipping stray line: 'Practical managerial applications are explored as well as the legal, ethical, and practical aspects of access to health and disease information.'
  ➜ Skipping stray line: 'Ensuring the protection of private health information is also emphasized.'
  ➜ Skipping stray line: 'C428 - Financial Resource Management in Healthcare - This course examines the financial environment of the healthcare industry including'
  ➜ Skipping stray line: 'principles involved in managed care. It also explores the revenue and expense structures for different sectors within the industry while emphasizing'
  ➜ Skipping stray line: 'funding and reimbursement practices of healthcare.'
  ➜ Skipping stray line: 'C429 - Healthcare Operations Management - This course builds upon basic principles of management, organizational behavior, and leadership.'
  ➜ Skipping stray line: 'Specific processes and business principles for managing operations in interdependent and multi-disciplinary healthcare organizations are explored.'
  ➜ Skipping stray line: 'Marketing strategies, communication skills, and the ability to establish and maintain relationships while ensuring productivity that is efficient, safe, and'
  ➜ Skipping stray line: 'meets the needs of all stakeholders is emphasized.'
  ➜ Skipping stray line: 'C430 - Healthcare Quality Improvement and Risk Management - This course emphasizes principles of quality management and risk management'
  ➜ Skipping stray line: 'in order to ensure safety, maximize patient outcomes, and continuously improve organizational outcomes. This course also examines the broader'
  ➜ Skipping stray line: 'impact of organizational culture and its influence on productivity, quality, and risk.'
  ➜ Skipping stray line: 'C431 - Healthcare Research and Statistics - This course builds upon an understanding of research methods and quantitative analysis. Concepts of'
  ➜ Skipping stray line: 'population health, epidemiology, and evidence-based practices provide the foundation for understanding the importance of data for informing'
  ➜ Skipping stray line: 'healthcare organizational decisions.'
  ➜ Skipping stray line: 'C432 - Healthcare Management and Strategy - This course builds upon basic principles of strategic management and explores healthcare'
  ➜ Skipping stray line: 'organizational structures and processes. The importance of the collaborative nature and interrelationships among business functions is emphasized.'
  ➜ Skipping stray line: 'Creating a healthcare vision and designing business plans within a healthcare environment is also examined.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 157'
  ➜ Skipping stray line: 'C433 - Integrated Healthcare Management Capstone Project - The capstone project is a student-designed project intended to illustrate your ability'
  ➜ Skipping stray line: 'to effect change in the industry and demonstrate competence in all five core competencies of the curriculum. You are required to collaborate with'
  ➜ Skipping stray line: 'leaders in the healthcare industry to identify opportunities for improvement in healthcare, propose a solution, and perform a business analysis to'
  ➜ Skipping stray line: 'evaluate its feasibility. In addition, the capstone project encourages work in the healthcare industry that will be showcased in your collection of work'
  ➜ Skipping stray line: 'and help solidify professional relationships in the industry.'
  ➜ Skipping stray line: 'C439 - Healthcare Management Capstone - This course is the culminating experience and assessment of healthcare business administration. This'
  ➜ Skipping stray line: 'course requires the student to integrate and synthesize managerial skills with healthcare knowledge, resulting in a high quality final project that'
  ➜ Skipping stray line: 'demonstrates professional managerial proficiency.'
  ➜ Skipping stray line: 'C451 - Integrated Natural Science - Integrated Natural Sciences explores the natural world through an integrated perspective and helps students'
  ➜ Skipping stray line: 'begin to see and draw numerous connections among events in the natural world. Topics include the universe, the Earth, ecosystems and organisms.'
  ➜ Skipping stray line: 'C452 - Integrated Natural Science Applications - Integrated Natural Sciences Applications explores the natural world through an integrated'
  ➜ Skipping stray line: 'perspective and helps students apply scientific concepts and methodologies to the examination of natural science fundamentals.'
  ➜ Skipping stray line: 'C453 - Clinical Microbiology - Clinical Microbiology introduces general concepts, methods, and applications of microbiology from a health sciences'
  ➜ Skipping stray line: 'perspective. The course is designed to provide healthcare professionals with a basic understanding of how various diseases are transmitted and'
  ➜ Skipping stray line: 'controlled. Students will examine the structure and function of microorganisms, including the roles that they play in causing major diseases. The'
  ➜ Skipping stray line: 'course also explores immunological, pathological and epidemiological factors associated with disease. To assist students in developing an applied,'
  ➜ Skipping stray line: 'patient-focused understanding of microbiology, this course is complimented by several lab experiments which allow students to: practice aseptic'
  ➜ Skipping stray line: 'techniques, grow bacteria and fungi, identify characteristics of bacteria and yeast based on biochemical and environmental tests, determine antibiotic'
  ➜ Skipping stray line: 'susceptibility, discover the microorganisms growing on objects and surfaces, and determine the Gram characteristic of bacteria. This course has no'
  ➜ Skipping stray line: 'pre-requisites.'
  ➜ Skipping stray line: 'C455 - English Composition I - English Composition I introduces learners to the types of writing and thinking that are valued in college and beyond.'
  ➜ Skipping stray line: 'Students will practice writing in several genres with emphasis placed on writing and revising academic arguments. Instruction and exercises in'
  ➜ Skipping stray line: 'grammar, mechanics, research documentation, and style are paired with each module so that writers can practice these skills as necessary.'
  ➜ Skipping stray line: 'Comp I is a foundational course designed to help students prepare for success at the college level.'
  ➜ Skipping stray line: 'There are no prerequisites for English Composition I.'
  ➜ Skipping stray line: 'C456 - English Composition II - English Composition II introduces undergraduate students to research writing. It is a foundational course designed to'
  ➜ Skipping stray line: 'help students prepare for advanced writing within the discipline and to complete the capstone. Specifically, this course will help students develop or'
  ➜ Skipping stray line: 'improve research, reference citation, document organization, and writing skills. English Composition I or equivalent is a prerequisite for this course.'
  ➜ Skipping stray line: 'C457 - Foundations of College Mathematics - Foundations of College Mathematics addresses the sequence of learning activities necessary to build'
  ➜ Skipping stray line: 'competence in foundational concepts of College Mathematics, which include whole numbers, fractions, decimals, ratios, proportions and percents,'
  ➜ Skipping stray line: 'geometry, statistics, the real number system, equations, inequalities, applications, and graphs of linear equations.'
  ➜ Skipping stray line: 'C458 - Health, Fitness and Wellness - Health, Fitness and Wellness focuses on the importance and foundations of good health and physical fitness,'
  ➜ Skipping stray line: 'particularly for children and adolescents, addressing health, nutrition, fitness, and substance use and abuse.'
  ➜ Skipping stray line: 'C459 - Introduction to Probability and Statistics - In this course, students demonstrate competency in the basic concepts, logic, and issues'
  ➜ Skipping stray line: 'involved in statistical reasoning. Topics include summarizing and analyzing data, sampling and study design, and probability.'
  ➜ Skipping stray line: 'C460 - Mathematics for Elementary Educators I - Mathematics for Elementary Educators I engages pre-service elementary teachers in'
  ➜ Skipping stray line: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in problem solving, set theory,'
  ➜ Skipping stray line: 'number theory, whole numbers and integers. This is the first course in a three-course sequence.'
  ➜ Skipping stray line: 'C461 - Mathematics for Elementary Educators II - This course engages pre-service elementary teachers in mathematical practices based on deep'
  ➜ Skipping stray line: 'understanding of underlying concepts. This course takes the arithmetic of the first course and generalizes it into algebraic reasoning. The course also'
  ➜ Skipping stray line: 'touches on important topics in probability. This is the second course in a three-course sequence.'
  ➜ Skipping stray line: 'C462 - Mathematics for Elementary Educators III - Mathematics for Elementary Educators III engages pre-service elementary teachers in'
  ➜ Skipping stray line: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in statistics, measurement, and'
  ➜ Skipping stray line: 'covers geometry from synthetic, transformational, and coordinate perspectives. This is the third course in a three-course sequence.'
  ➜ Skipping stray line: 'C463 - Intermediate Algebra - This course provides an introduction of algebraic concepts and the development of the essential groundwork for'
  ➜ Skipping stray line: 'College Algebra. Topics include: A review of basic mathematical skills, the real number system, algebraic expressions, linear equations, graphing,'
  ➜ Skipping stray line: 'exponents and polynomials'
  ➜ Skipping stray line: 'C464 - Introduction to Communication - This introductory communication course allows students to become familiar with the fundamental'
  ➜ Skipping stray line: 'communication theories and practices necessary to engage in healthy professional and personal relationships. Students will survey human'
  ➜ Skipping stray line: 'communication on multiple levels and critically apply the theoretical grounding of the course to interpersonal, intercultural, small group, and public'
  ➜ Skipping stray line: 'presentational contexts. The course also encourages students to consider the influence of language, perception, culture, and media on their daily'
  ➜ Skipping stray line: 'communicative interactions. In addition to theory, students will engage in the application of effective communication skills through systematically'
  ➜ Skipping stray line: 'preparing and delivering an oral presentation. By practicing these fundamental skills in human communication, students become more competent'
  ➜ Skipping stray line: 'communicators as they develop more flexible, useful, and discriminatory communicative practices in a variety of contexts.'
  ➜ Skipping stray line: 'C465 - Care of the Developing Family - .'
  ➜ Skipping stray line: 'C466 - Medication Dosage Calculations - In Medication Dosage Calculations, students learn about individualized drug dosing concepts, including:'
  ➜ Skipping stray line: 'different measurement systems, solid and liquid medications, calculating dosages based on body weight or body surface area, interpreting drug labels'
  ➜ Skipping stray line: 'and abbreviations, and common medication errors.'
  ➜ Skipping stray line: 'C467 - Pharmacology - Pharmacology covers concepts in pharmacology including drug classification and effects, the role of the nurse in drug'
  ➜ Skipping stray line: 'therapy, preparation and administration of drugs, and ethical and legal issues surrounding medication administration. The Institute of Medicine reports'
  ➜ Skipping stray line: 'that cited medication errors as the most common medical errors, costing billions of dollars and harming up to 1.5 million people every year. Medication'
  ➜ Skipping stray line: 'errors are often the result of nurses failing to follow proper procedures. The pharmacology course covers the following concepts: the nursing process'
  ➜ Skipping stray line: 'in relation to drug therapy; the role of pharmacological principles in nursing; the role of the nurse in pharmacy and lifespan considerations; cultural,'
  ➜ Skipping stray line: 'ethical, and legal considerations; education and substance abuse; and gene therapy and pharmacology. This course introduces the nursing student to'
  ➜ Skipping stray line: 'these concepts and continues to integrate pharmacology throughout the clinical courses within the program.'
  ➜ Skipping stray line: 'C468 - Information Management and the Application of Technology - Information Management and the Application of Technology helps the'
  ➜ Skipping stray line: 'student learn how to identify and implement the unique responsibilities of nurses related to the application of technology and the management of'
  ➜ Skipping stray line: 'patient information. This includes: understanding the evolving role of nurse informaticists; demonstrating the skills needed to use electronic health'
  ➜ Skipping stray line: 'records; identifying nurse-sensitive outcomes that lead to quality improvement measures; supporting the contributions of nurses to patient care;'
  ➜ Skipping stray line: 'examining workflow changes related to the implementation of computerized management systems; and learning to analyze the implications of new'
  ➜ Skipping stray line: 'technology on security, practice, and research.'
  ➜ Skipping stray line: 'C469 - Caring Arts and Science Across the Lifespan Part I - Caring Arts and Science Across the Lifespan Part I introduces nursing fundamentals'
  ➜ Skipping stray line: 'which speak to the core of all nursing care by assessing the needs of patients with compassion and respect; advocating for patients and their families;'
  ➜ Skipping stray line: 'providing education and comfort; and integrating patient needs into a plan of care that embraces individuality, diversity, and belief. Students continue'
  ➜ Skipping stray line: 'to learn about fundamental nursing skills within their didactic environment and will be provided time to practice in a learning lab environment.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 158'
  ➜ Skipping stray line: 'C470 - Caring Arts and Science Across the Lifespan Part I Clinical Learning - This course includes all aspects of clinical learning related to the'
  ➜ Skipping stray line: 'fundamentals of nursing practice. Learning labs will teach and assess task skill knowledge including physical assessment, safe medication'
  ➜ Skipping stray line: 'administration, oxygenation; nutrition, metabolism, & elimination; skin integrity, activity, & mobility; and cognition. Students who are successful in lab'
  ➜ Skipping stray line: 'assessments will progress to live patient clinicals and will be assessed for their mastery of basic levels of the key behaviors for clinical practice of a'
  ➜ Skipping stray line: 'novice nursing student.'
  ➜ Skipping stray line: 'C471 - Caring Arts and Science Across the Lifespan Part II - Caring Arts and Science Across the Lifespan Part II topics include management of'
  ➜ Skipping stray line: 'the perioperative care continuum; patient centered care of the adult; care of the adult with alterations in circulation; car of the adult with alterations in'
  ➜ Skipping stray line: 'cardiovascular function; care of the adult with alterations in oxygenation; care of the adult with alterations in neurosensory function; fundamental'
  ➜ Skipping stray line: 'patient self-determination & advocacy; and end-of-life care. This course incorporates virtual simulations into the didactic course to help students'
  ➜ Skipping stray line: 'prepare for their learning labs and clinical learning experience. Patient scenarios for the virtual simulations include: fluid & electrolyte imbalance; blood'
  ➜ Skipping stray line: 'transfusion reaction; severe reaction to antibiotic; pulmonary embolism; and postoperative complications with a fracture.'
  ➜ Skipping stray line: 'C472 - Caring Arts and Science Across the Lifespan Part II Clinical Learning - The clinical learning course for CASAL II includes all aspects of'
  ➜ Skipping stray line: 'clinical learning related to medical surgical nursing practice. Learning labs will teach and assess task skill knowledge progressing to high fidelity'
  ➜ Skipping stray line: 'simulation scenarios to develop mastery of situated use of knowledge and synthesis of knowledge in clinical scenarios that focus on perioperative'
  ➜ Skipping stray line: 'care. The virtual simulations that students completed in didactic will prepare them for their learning lab scenarios. Students who are successful in lab'
  ➜ Skipping stray line: 'assessments will progress to live patient clinicals and will be assessed for their mastery of basic levels of the key behaviors for clinical practice of'
  ➜ Skipping stray line: 'Medical Surgical nursing.'
  ➜ Skipping stray line: 'C473 - Care of Adults with Complex Illnesses - The Care of Adults with Complex Illnesses course builds on prior knowledge of medical surgical'
  ➜ Skipping stray line: 'nursing care and common conditions, focusing on diseases and conditions that affect the neuromuscular system, the musculoskeletal system, the'
  ➜ Skipping stray line: 'kidneys, the pancreas, and diseases such as cancer and impaired immunity, which affect every part of the body. Students will develop mastery of'
  ➜ Skipping stray line: 'competencies related to advanced medical surgical nursing practice. This course also utilizes virtual simulation scenarios to help students prepare for'
  ➜ Skipping stray line: 'their learning labs and their clinical intensives. Students work through the following patient scenarios: diabetes/hypoglycemia; postop abdominal'
  ➜ Skipping stray line: 'hysterectomy/opioid intoxication; acute severe asthma; acute myocardial infarction; and respiratory system disease.'
  ➜ Skipping stray line: 'C474 - Clinical Learning for Complex Illnesses in Adults - Clinical Care of Adults with Complex Illnesses includes all aspects of clinical learning'
  ➜ Skipping stray line: 'related to advanced medical surgical nursing practice. Learning labs will teach and assess advanced clinical competencies through the use of high'
  ➜ Skipping stray line: 'fidelity simulation and advanced clinical debriefing for clinical scenarios. Students participate in skills related to advance medication administration,'
  ➜ Skipping stray line: 'central venous devices, and peripherally inserted central catheters. The virtual simulations that students completed in didactic will prepare them for'
  ➜ Skipping stray line: 'their learning lab scenarios. Students who are successful in simulation assessments will progress to live patient clinicals and will be assessed for their'
  ➜ Title candidate: 'mastery of advanced levels of the key behaviors for clinical practice of Medical Surgical nursing.'
  ✔️ Collected description (1790 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 5477: 'C326 - Supervised Demonstration Teaching in Elementary Education, Observation 6 and Final - Supervised Demonstration Teaching in'

🔍 parse_program: starting at line 5477: 'C326 - Supervised Demonstration Teaching in Elementary Education, Observation 6 and Final - Supervised Demonstration Teaching in'
  ➜ Title candidate: 'C326 - Supervised Demonstration Teaching in Elementary Education, Observation 6 and Final - Supervised Demonstration Teaching in'
  ❌ Invalid title line: 'C326 - Supervised Demonstration Teaching in Elementary Education, Observation 6 and Final - Supervised Demonstration Teaching in'
  ➜ Parsing at 5478: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'

🔍 parse_program: starting at line 5478: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Title candidate: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ❌ Invalid title line: 'Elementary Education involves a series of classroom performance observations by the host teacher and clinical supervisor that develop'
  ➜ Parsing at 5479: 'comprehensive performance data about the teacher candidate’s skills.'

🔍 parse_program: starting at line 5479: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Title candidate: 'comprehensive performance data about the teacher candidate’s skills.'
  ❌ Invalid title line: 'comprehensive performance data about the teacher candidate’s skills.'
  ➜ Parsing at 5480: 'C327 - Supervised Demonstration Teaching in Mathematics, Observations 1 and 2 - Supervised Demonstration Teaching in Mathematics'

🔍 parse_program: starting at line 5480: 'C327 - Supervised Demonstration Teaching in Mathematics, Observations 1 and 2 - Supervised Demonstration Teaching in Mathematics'
  ➜ Title candidate: 'C327 - Supervised Demonstration Teaching in Mathematics, Observations 1 and 2 - Supervised Demonstration Teaching in Mathematics'
  ❌ Invalid title line: 'C327 - Supervised Demonstration Teaching in Mathematics, Observations 1 and 2 - Supervised Demonstration Teaching in Mathematics'
  ➜ Parsing at 5481: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'

🔍 parse_program: starting at line 5481: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Title candidate: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ❌ Invalid title line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Parsing at 5482: 'about the teacher candidate’s skills.'

🔍 parse_program: starting at line 5482: 'about the teacher candidate’s skills.'
  ➜ Title candidate: 'about the teacher candidate’s skills.'
  ❌ Invalid title line: 'about the teacher candidate’s skills.'
  ➜ Parsing at 5483: 'C328 - Supervised Demonstration Teaching in Mathematics, Observation 3 and Midterm - Supervised Demonstration Teaching in Mathematics'

🔍 parse_program: starting at line 5483: 'C328 - Supervised Demonstration Teaching in Mathematics, Observation 3 and Midterm - Supervised Demonstration Teaching in Mathematics'
  ➜ Title candidate: 'C328 - Supervised Demonstration Teaching in Mathematics, Observation 3 and Midterm - Supervised Demonstration Teaching in Mathematics'
  ❌ Invalid title line: 'C328 - Supervised Demonstration Teaching in Mathematics, Observation 3 and Midterm - Supervised Demonstration Teaching in Mathematics'
  ➜ Parsing at 5484: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'

🔍 parse_program: starting at line 5484: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Title candidate: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ❌ Invalid title line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Parsing at 5485: 'about the teacher candidate’s skills.'

🔍 parse_program: starting at line 5485: 'about the teacher candidate’s skills.'
  ➜ Title candidate: 'about the teacher candidate’s skills.'
  ❌ Invalid title line: 'about the teacher candidate’s skills.'
  ➜ Parsing at 5486: 'C329 - Supervised Demonstration Teaching in Mathematics, Observations 4 and 5 - Supervised Demonstration Teaching in Mathematics'

🔍 parse_program: starting at line 5486: 'C329 - Supervised Demonstration Teaching in Mathematics, Observations 4 and 5 - Supervised Demonstration Teaching in Mathematics'
  ➜ Title candidate: 'C329 - Supervised Demonstration Teaching in Mathematics, Observations 4 and 5 - Supervised Demonstration Teaching in Mathematics'
  ❌ Invalid title line: 'C329 - Supervised Demonstration Teaching in Mathematics, Observations 4 and 5 - Supervised Demonstration Teaching in Mathematics'
  ➜ Parsing at 5487: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'

🔍 parse_program: starting at line 5487: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Title candidate: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ❌ Invalid title line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Parsing at 5488: 'about the teacher candidate’s skills.'

🔍 parse_program: starting at line 5488: 'about the teacher candidate’s skills.'
  ➜ Title candidate: 'about the teacher candidate’s skills.'
  ❌ Invalid title line: 'about the teacher candidate’s skills.'
  ➜ Parsing at 5489: 'C330 - Supervised Demonstration Teaching in Mathematics, Observation 6 and Final - Supervised Demonstration Teaching in Mathematics'

🔍 parse_program: starting at line 5489: 'C330 - Supervised Demonstration Teaching in Mathematics, Observation 6 and Final - Supervised Demonstration Teaching in Mathematics'
  ➜ Title candidate: 'C330 - Supervised Demonstration Teaching in Mathematics, Observation 6 and Final - Supervised Demonstration Teaching in Mathematics'
  ❌ Invalid title line: 'C330 - Supervised Demonstration Teaching in Mathematics, Observation 6 and Final - Supervised Demonstration Teaching in Mathematics'
  ➜ Parsing at 5490: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'

🔍 parse_program: starting at line 5490: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Title candidate: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ❌ Invalid title line: 'involves a series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data'
  ➜ Parsing at 5491: 'about the teacher candidate’s skills.'

🔍 parse_program: starting at line 5491: 'about the teacher candidate’s skills.'
  ➜ Title candidate: 'about the teacher candidate’s skills.'
  ❌ Invalid title line: 'about the teacher candidate’s skills.'
  ➜ Parsing at 5492: 'C331 - Supervised Demonstration Teaching in Science, Observations 1 and 2 - Supervised Demonstration Teaching in Science involves a series'

🔍 parse_program: starting at line 5492: 'C331 - Supervised Demonstration Teaching in Science, Observations 1 and 2 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Title candidate: 'C331 - Supervised Demonstration Teaching in Science, Observations 1 and 2 - Supervised Demonstration Teaching in Science involves a series'
  ❌ Invalid title line: 'C331 - Supervised Demonstration Teaching in Science, Observations 1 and 2 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Parsing at 5493: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'

🔍 parse_program: starting at line 5493: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Title candidate: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ❌ Invalid title line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Parsing at 5494: 'candidate’s skills.'

🔍 parse_program: starting at line 5494: 'candidate’s skills.'
  ➜ Title candidate: 'candidate’s skills.'
  ❌ Invalid title line: 'candidate’s skills.'
  ➜ Parsing at 5495: 'C332 - Supervised Demonstration Teaching in Science, Observation 3 and Midterm - Supervised Demonstration Teaching in Science involves a'

🔍 parse_program: starting at line 5495: 'C332 - Supervised Demonstration Teaching in Science, Observation 3 and Midterm - Supervised Demonstration Teaching in Science involves a'
  ➜ Title candidate: 'C332 - Supervised Demonstration Teaching in Science, Observation 3 and Midterm - Supervised Demonstration Teaching in Science involves a'
  ❌ Invalid title line: 'C332 - Supervised Demonstration Teaching in Science, Observation 3 and Midterm - Supervised Demonstration Teaching in Science involves a'
  ➜ Parsing at 5496: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'

🔍 parse_program: starting at line 5496: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Title candidate: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ❌ Invalid title line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Parsing at 5497: 'teacher candidate’s skills.'

🔍 parse_program: starting at line 5497: 'teacher candidate’s skills.'
  ➜ Title candidate: 'teacher candidate’s skills.'
  ❌ Invalid title line: 'teacher candidate’s skills.'
  ➜ Parsing at 5498: 'C333 - Supervised Demonstration Teaching in Science, Observations 4 and 5 - Supervised Demonstration Teaching in Science involves a series'

🔍 parse_program: starting at line 5498: 'C333 - Supervised Demonstration Teaching in Science, Observations 4 and 5 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Title candidate: 'C333 - Supervised Demonstration Teaching in Science, Observations 4 and 5 - Supervised Demonstration Teaching in Science involves a series'
  ❌ Invalid title line: 'C333 - Supervised Demonstration Teaching in Science, Observations 4 and 5 - Supervised Demonstration Teaching in Science involves a series'
  ➜ Parsing at 5499: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'

🔍 parse_program: starting at line 5499: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Title candidate: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ❌ Invalid title line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Parsing at 5500: 'candidate’s skills.'

🔍 parse_program: starting at line 5500: 'candidate’s skills.'
  ➜ Title candidate: 'candidate’s skills.'
  ❌ Invalid title line: 'candidate’s skills.'
  ➜ Parsing at 5501: 'C334 - Supervised Demonstration Teaching in Science, Observation 6 and Final - Supervised Demonstration Teaching in Science involves a'

🔍 parse_program: starting at line 5501: 'C334 - Supervised Demonstration Teaching in Science, Observation 6 and Final - Supervised Demonstration Teaching in Science involves a'
  ➜ Title candidate: 'C334 - Supervised Demonstration Teaching in Science, Observation 6 and Final - Supervised Demonstration Teaching in Science involves a'
  ❌ Invalid title line: 'C334 - Supervised Demonstration Teaching in Science, Observation 6 and Final - Supervised Demonstration Teaching in Science involves a'
  ➜ Parsing at 5502: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'

🔍 parse_program: starting at line 5502: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Title candidate: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ❌ Invalid title line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Parsing at 5503: 'teacher candidate’s skills.'

🔍 parse_program: starting at line 5503: 'teacher candidate’s skills.'
  ➜ Title candidate: 'teacher candidate’s skills.'
  ❌ Invalid title line: 'teacher candidate’s skills.'
  ➜ Parsing at 5504: 'C339 - Cohort Seminar - Cohort Seminar provides mentoring and supports teacher candidates during their demonstration teaching period by'

🔍 parse_program: starting at line 5504: 'C339 - Cohort Seminar - Cohort Seminar provides mentoring and supports teacher candidates during their demonstration teaching period by'
  ➜ Title candidate: 'C339 - Cohort Seminar - Cohort Seminar provides mentoring and supports teacher candidates during their demonstration teaching period by'
  ❌ Invalid title line: 'C339 - Cohort Seminar - Cohort Seminar provides mentoring and supports teacher candidates during their demonstration teaching period by'
  ➜ Parsing at 5505: 'providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates their demonstration of competence in'

🔍 parse_program: starting at line 5505: 'providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates their demonstration of competence in'
  ➜ Title candidate: 'providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates their demonstration of competence in'
  ❌ Invalid title line: 'providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates their demonstration of competence in'
  ➜ Parsing at 5506: 'becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom, exploring community resources, building'

🔍 parse_program: starting at line 5506: 'becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom, exploring community resources, building'
  ➜ Title candidate: 'becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom, exploring community resources, building'
  ❌ Invalid title line: 'becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom, exploring community resources, building'
  ➜ Parsing at 5507: 'collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'

🔍 parse_program: starting at line 5507: 'collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'
  ➜ Title candidate: 'collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'
  ❌ Invalid title line: 'collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'
  ➜ Parsing at 5508: 'C340 - Cohort Seminar in Special Education - Cohort Seminar in Special Education provides mentoring and supports teacher candidates during'

🔍 parse_program: starting at line 5508: 'C340 - Cohort Seminar in Special Education - Cohort Seminar in Special Education provides mentoring and supports teacher candidates during'
  ➜ Title candidate: 'C340 - Cohort Seminar in Special Education - Cohort Seminar in Special Education provides mentoring and supports teacher candidates during'
  ❌ Invalid title line: 'C340 - Cohort Seminar in Special Education - Cohort Seminar in Special Education provides mentoring and supports teacher candidates during'
  ➜ Parsing at 5509: 'their demonstration teaching period by providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates'

🔍 parse_program: starting at line 5509: 'their demonstration teaching period by providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates'
  ➜ Title candidate: 'their demonstration teaching period by providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates'
  ❌ Invalid title line: 'their demonstration teaching period by providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates'
  ➜ Parsing at 5510: 'their demonstration of competence in becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom,'

🔍 parse_program: starting at line 5510: 'their demonstration of competence in becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom,'
  ➜ Title candidate: 'their demonstration of competence in becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom,'
  ❌ Invalid title line: 'their demonstration of competence in becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom,'
  ➜ Parsing at 5511: 'exploring community resources, building collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'

🔍 parse_program: starting at line 5511: 'exploring community resources, building collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'
  ➜ Title candidate: 'exploring community resources, building collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'
  ❌ Invalid title line: 'exploring community resources, building collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'
  ➜ Parsing at 5512: 'C341 - Cohort Seminar - Cohort Seminar provides mentoring and supports teacher candidates during their demonstration teaching period by'

🔍 parse_program: starting at line 5512: 'C341 - Cohort Seminar - Cohort Seminar provides mentoring and supports teacher candidates during their demonstration teaching period by'
  ➜ Title candidate: 'C341 - Cohort Seminar - Cohort Seminar provides mentoring and supports teacher candidates during their demonstration teaching period by'
  ❌ Invalid title line: 'C341 - Cohort Seminar - Cohort Seminar provides mentoring and supports teacher candidates during their demonstration teaching period by'
  ➜ Parsing at 5513: 'providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates their demonstration of competence in'

🔍 parse_program: starting at line 5513: 'providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates their demonstration of competence in'
  ➜ Title candidate: 'providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates their demonstration of competence in'
  ❌ Invalid title line: 'providing weekly collaboration and instruction related to the demonstration teaching experience. It facilitates their demonstration of competence in'
  ➜ Parsing at 5514: 'becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom, exploring community resources, building'

🔍 parse_program: starting at line 5514: 'becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom, exploring community resources, building'
  ➜ Title candidate: 'becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom, exploring community resources, building'
  ❌ Invalid title line: 'becoming reflective practitioners, adhering to ethical standards, practicing inclusion in a diverse classroom, exploring community resources, building'
  ➜ Parsing at 5515: 'collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'

🔍 parse_program: starting at line 5515: 'collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'
  ➜ Title candidate: 'collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'
  ❌ Invalid title line: 'collegial and collaborative relationships with teachers, and considering leadership and supervisory skills.'
  ➜ Parsing at 5516: 'C347 - Professional Portfolio - You will create an online teaching portfolio that includes professional artifacts (e.g. resume and Philosophy of'

🔍 parse_program: starting at line 5516: 'C347 - Professional Portfolio - You will create an online teaching portfolio that includes professional artifacts (e.g. resume and Philosophy of'
  ➜ Title candidate: 'C347 - Professional Portfolio - You will create an online teaching portfolio that includes professional artifacts (e.g. resume and Philosophy of'
  ❌ Invalid title line: 'C347 - Professional Portfolio - You will create an online teaching portfolio that includes professional artifacts (e.g. resume and Philosophy of'
  ➜ Parsing at 5517: 'Teaching Statement) that demonstrate the skills you have acquired throughout your Demonstration Teaching experience.'

🔍 parse_program: starting at line 5517: 'Teaching Statement) that demonstrate the skills you have acquired throughout your Demonstration Teaching experience.'
  ➜ Title candidate: 'Teaching Statement) that demonstrate the skills you have acquired throughout your Demonstration Teaching experience.'
  ❌ Invalid title line: 'Teaching Statement) that demonstrate the skills you have acquired throughout your Demonstration Teaching experience.'
  ➜ Parsing at 5518: 'C348 - Professional Portfolio - You will create an online teaching portfolio that includes professional artifacts (e.g. resume and Philosophy of'

🔍 parse_program: starting at line 5518: 'C348 - Professional Portfolio - You will create an online teaching portfolio that includes professional artifacts (e.g. resume and Philosophy of'
  ➜ Title candidate: 'C348 - Professional Portfolio - You will create an online teaching portfolio that includes professional artifacts (e.g. resume and Philosophy of'
  ❌ Invalid title line: 'C348 - Professional Portfolio - You will create an online teaching portfolio that includes professional artifacts (e.g. resume and Philosophy of'
  ➜ Parsing at 5519: 'Teaching Statement) that demonstrate the skills you have acquired throughout your Demonstration Teaching experience.'

🔍 parse_program: starting at line 5519: 'Teaching Statement) that demonstrate the skills you have acquired throughout your Demonstration Teaching experience.'
  ➜ Title candidate: 'Teaching Statement) that demonstrate the skills you have acquired throughout your Demonstration Teaching experience.'
  ❌ Invalid title line: 'Teaching Statement) that demonstrate the skills you have acquired throughout your Demonstration Teaching experience.'
  ➜ Parsing at 5520: 'C349 - Health Assessment - The Health Assessment course is designed to enhance students’ knowledge and skills in health promotion, the early'

🔍 parse_program: starting at line 5520: 'C349 - Health Assessment - The Health Assessment course is designed to enhance students’ knowledge and skills in health promotion, the early'
  ➜ Title candidate: 'C349 - Health Assessment - The Health Assessment course is designed to enhance students’ knowledge and skills in health promotion, the early'
  ❌ Invalid title line: 'C349 - Health Assessment - The Health Assessment course is designed to enhance students’ knowledge and skills in health promotion, the early'
  ➜ Parsing at 5521: 'detection of illness and prevention of disease. To that end the course provides relevant content and skills necessary to perform a comprehensive'

🔍 parse_program: starting at line 5521: 'detection of illness and prevention of disease. To that end the course provides relevant content and skills necessary to perform a comprehensive'
  ➜ Title candidate: 'detection of illness and prevention of disease. To that end the course provides relevant content and skills necessary to perform a comprehensive'
  ❌ Invalid title line: 'detection of illness and prevention of disease. To that end the course provides relevant content and skills necessary to perform a comprehensive'
  ➜ Parsing at 5522: 'physical assessment of patients throughout the lifespan. Students are engaged in these processes through interviewing, history taking and'

🔍 parse_program: starting at line 5522: 'physical assessment of patients throughout the lifespan. Students are engaged in these processes through interviewing, history taking and'
  ➜ Title candidate: 'physical assessment of patients throughout the lifespan. Students are engaged in these processes through interviewing, history taking and'
  ❌ Invalid title line: 'physical assessment of patients throughout the lifespan. Students are engaged in these processes through interviewing, history taking and'
  ➜ Parsing at 5523: 'demonstration of an advanced-level physical examination. Dominant models, theories and perspectives related to evidence-based wellness practices'

🔍 parse_program: starting at line 5523: 'demonstration of an advanced-level physical examination. Dominant models, theories and perspectives related to evidence-based wellness practices'
  ➜ Title candidate: 'demonstration of an advanced-level physical examination. Dominant models, theories and perspectives related to evidence-based wellness practices'
  ❌ Invalid title line: 'demonstration of an advanced-level physical examination. Dominant models, theories and perspectives related to evidence-based wellness practices'
  ➜ Parsing at 5524: 'and health education strategies also are included in this challenging course. Competency is measured through successful completion of two'

🔍 parse_program: starting at line 5524: 'and health education strategies also are included in this challenging course. Competency is measured through successful completion of two'
  ➜ Title candidate: 'and health education strategies also are included in this challenging course. Competency is measured through successful completion of two'
  ❌ Invalid title line: 'and health education strategies also are included in this challenging course. Competency is measured through successful completion of two'
  ➜ Parsing at 5525: 'performance tasks. It is recommended that students plan to complete C349 in four to six weeks.'

🔍 parse_program: starting at line 5525: 'performance tasks. It is recommended that students plan to complete C349 in four to six weeks.'
  ➜ Title candidate: 'performance tasks. It is recommended that students plan to complete C349 in four to six weeks.'
  ❌ Invalid title line: 'performance tasks. It is recommended that students plan to complete C349 in four to six weeks.'
  ➜ Parsing at 5526: 'C350 - Comprehensive Health Assessment for Patients and Populations - In this course, students will learn about the principles of health'

🔍 parse_program: starting at line 5526: 'C350 - Comprehensive Health Assessment for Patients and Populations - In this course, students will learn about the principles of health'
  ➜ Title candidate: 'C350 - Comprehensive Health Assessment for Patients and Populations - In this course, students will learn about the principles of health'
  ❌ Invalid title line: 'C350 - Comprehensive Health Assessment for Patients and Populations - In this course, students will learn about the principles of health'
  ➜ Parsing at 5527: 'assessment from the individual to the global level. Students will learn to perform a comprehensive functional health assessment that includes social'

🔍 parse_program: starting at line 5527: 'assessment from the individual to the global level. Students will learn to perform a comprehensive functional health assessment that includes social'
  ➜ Title candidate: 'assessment from the individual to the global level. Students will learn to perform a comprehensive functional health assessment that includes social'
  ❌ Invalid title line: 'assessment from the individual to the global level. Students will learn to perform a comprehensive functional health assessment that includes social'
  ➜ Parsing at 5528: 'structures, family history, and environmental situations, from the individual patient to the population. This course builds on prior knowledge gained in'

🔍 parse_program: starting at line 5528: 'structures, family history, and environmental situations, from the individual patient to the population. This course builds on prior knowledge gained in'
  ➜ Title candidate: 'structures, family history, and environmental situations, from the individual patient to the population. This course builds on prior knowledge gained in'
  ❌ Invalid title line: 'structures, family history, and environmental situations, from the individual patient to the population. This course builds on prior knowledge gained in'
  ➜ Parsing at 5529: 'previous courses and in nursing practice, in areas such as pathophysiology, pharmacology, and epidemiology, and focus on applying this knowledge'

🔍 parse_program: starting at line 5529: 'previous courses and in nursing practice, in areas such as pathophysiology, pharmacology, and epidemiology, and focus on applying this knowledge'
  ➜ Title candidate: 'previous courses and in nursing practice, in areas such as pathophysiology, pharmacology, and epidemiology, and focus on applying this knowledge'
  ❌ Invalid title line: 'previous courses and in nursing practice, in areas such as pathophysiology, pharmacology, and epidemiology, and focus on applying this knowledge'
  ➜ Parsing at 5530: 'in various populations with common disorders.'

🔍 parse_program: starting at line 5530: 'in various populations with common disorders.'
  ➜ Title candidate: 'in various populations with common disorders.'
  ❌ Invalid title line: 'in various populations with common disorders.'
  ➜ Parsing at 5531: 'This course is roughly divided into three parts:'

🔍 parse_program: starting at line 5531: 'This course is roughly divided into three parts:'
  ➜ Title candidate: 'This course is roughly divided into three parts:'
  ❌ Invalid title line: 'This course is roughly divided into three parts:'
  ➜ Parsing at 5532: '• Advanced health assessment focusing on abnormal findings for common disease.'

🔍 parse_program: starting at line 5532: '• Advanced health assessment focusing on abnormal findings for common disease.'
  ➜ Title candidate: '• Advanced health assessment focusing on abnormal findings for common disease.'
  ❌ Invalid title line: '• Advanced health assessment focusing on abnormal findings for common disease.'
  ➜ Parsing at 5533: '• Integrating health assessment findings into a population, considering such issue as culture, spirituality, and continuum.'

🔍 parse_program: starting at line 5533: '• Integrating health assessment findings into a population, considering such issue as culture, spirituality, and continuum.'
  ➜ Title candidate: '• Integrating health assessment findings into a population, considering such issue as culture, spirituality, and continuum.'
  ❌ Invalid title line: '• Integrating health assessment findings into a population, considering such issue as culture, spirituality, and continuum.'
  ➜ Parsing at 5534: '• Functionality of clients based upon the problems and populations.'

🔍 parse_program: starting at line 5534: '• Functionality of clients based upon the problems and populations.'
  ➜ Title candidate: '• Functionality of clients based upon the problems and populations.'
  ❌ Invalid title line: '• Functionality of clients based upon the problems and populations.'
  ➜ Parsing at 5535: 'C351 - Professional Presence and Influence - Who we are and how we behave affects others. Our professional presence in therapeutic settings'

🔍 parse_program: starting at line 5535: 'C351 - Professional Presence and Influence - Who we are and how we behave affects others. Our professional presence in therapeutic settings'
  ➜ Title candidate: 'C351 - Professional Presence and Influence - Who we are and how we behave affects others. Our professional presence in therapeutic settings'
  ❌ Invalid title line: 'C351 - Professional Presence and Influence - Who we are and how we behave affects others. Our professional presence in therapeutic settings'
  ➜ Parsing at 5536: 'can support or inhibit well-being not only in patients, but also in the rest of the health care team, in the family and support system of the patients, and'

🔍 parse_program: starting at line 5536: 'can support or inhibit well-being not only in patients, but also in the rest of the health care team, in the family and support system of the patients, and'
  ➜ Title candidate: 'can support or inhibit well-being not only in patients, but also in the rest of the health care team, in the family and support system of the patients, and'
  ❌ Invalid title line: 'can support or inhibit well-being not only in patients, but also in the rest of the health care team, in the family and support system of the patients, and'
  ➜ Parsing at 5537: 'in the health care organization as a whole. This course will help registered nurses manage this impact by recognizing situations and practices that'

🔍 parse_program: starting at line 5537: 'in the health care organization as a whole. This course will help registered nurses manage this impact by recognizing situations and practices that'
  ➜ Title candidate: 'in the health care organization as a whole. This course will help registered nurses manage this impact by recognizing situations and practices that'
  ❌ Invalid title line: 'in the health care organization as a whole. This course will help registered nurses manage this impact by recognizing situations and practices that'
  ➜ Parsing at 5538: 'support a positive environment and cultivating actions and responses to achieve and maintain this environment. The growth of self-knowledge will'

🔍 parse_program: starting at line 5538: 'support a positive environment and cultivating actions and responses to achieve and maintain this environment. The growth of self-knowledge will'
  ➜ Title candidate: 'support a positive environment and cultivating actions and responses to achieve and maintain this environment. The growth of self-knowledge will'
  ❌ Invalid title line: 'support a positive environment and cultivating actions and responses to achieve and maintain this environment. The growth of self-knowledge will'
  ➜ Parsing at 5539: 'expand nurses’ ability to direct influence in ways that are intended rather than in random or destructive ways.'

🔍 parse_program: starting at line 5539: 'expand nurses’ ability to direct influence in ways that are intended rather than in random or destructive ways.'
  ➜ Title candidate: 'expand nurses’ ability to direct influence in ways that are intended rather than in random or destructive ways.'
  ❌ Invalid title line: 'expand nurses’ ability to direct influence in ways that are intended rather than in random or destructive ways.'
  ➜ Parsing at 5540: 'C352 - Contemporary Pharmacotherapeutics - This course provides the opportunity to acquire advanced knowledge and skills in the therapeutic'

🔍 parse_program: starting at line 5540: 'C352 - Contemporary Pharmacotherapeutics - This course provides the opportunity to acquire advanced knowledge and skills in the therapeutic'
  ➜ Title candidate: 'C352 - Contemporary Pharmacotherapeutics - This course provides the opportunity to acquire advanced knowledge and skills in the therapeutic'
  ❌ Invalid title line: 'C352 - Contemporary Pharmacotherapeutics - This course provides the opportunity to acquire advanced knowledge and skills in the therapeutic'
  ➜ Parsing at 5541: 'use of pharmacologic agents, herbals, and supplements. Students will explore the pharmacologic treatment of major health problems and examine the'

🔍 parse_program: starting at line 5541: 'use of pharmacologic agents, herbals, and supplements. Students will explore the pharmacologic treatment of major health problems and examine the'
  ➜ Title candidate: 'use of pharmacologic agents, herbals, and supplements. Students will explore the pharmacologic treatment of major health problems and examine the'
  ❌ Invalid title line: 'use of pharmacologic agents, herbals, and supplements. Students will explore the pharmacologic treatment of major health problems and examine the'
  ➜ Parsing at 5542: 'principles of pharmacogenomics. The effects of culture, ethnicity, age, pregnancy, gender, healthcare setting, and funding of pharmacologic therapy'

🔍 parse_program: starting at line 5542: 'principles of pharmacogenomics. The effects of culture, ethnicity, age, pregnancy, gender, healthcare setting, and funding of pharmacologic therapy'
  ➜ Title candidate: 'principles of pharmacogenomics. The effects of culture, ethnicity, age, pregnancy, gender, healthcare setting, and funding of pharmacologic therapy'
  ❌ Invalid title line: 'principles of pharmacogenomics. The effects of culture, ethnicity, age, pregnancy, gender, healthcare setting, and funding of pharmacologic therapy'
  ➜ Parsing at 5543: 'will be emphasized. Legal aspects of prescribing will be fully addressed. Case studies will be utilized to present some of these concepts.'

🔍 parse_program: starting at line 5543: 'will be emphasized. Legal aspects of prescribing will be fully addressed. Case studies will be utilized to present some of these concepts.'
  ➜ Title candidate: 'will be emphasized. Legal aspects of prescribing will be fully addressed. Case studies will be utilized to present some of these concepts.'
  ❌ Invalid title line: 'will be emphasized. Legal aspects of prescribing will be fully addressed. Case studies will be utilized to present some of these concepts.'
  ➜ Parsing at 5544: 'C358 - Foundations of Nursing Education - This graduate level course in the education specialty core examines the contemporary issues of nursing'

🔍 parse_program: starting at line 5544: 'C358 - Foundations of Nursing Education - This graduate level course in the education specialty core examines the contemporary issues of nursing'
  ➜ Title candidate: 'C358 - Foundations of Nursing Education - This graduate level course in the education specialty core examines the contemporary issues of nursing'
  ❌ Invalid title line: 'C358 - Foundations of Nursing Education - This graduate level course in the education specialty core examines the contemporary issues of nursing'
  ➜ Parsing at 5545: 'education. While traditional contexts for learning are included, students will also focus on modern technology and trends in nursing education.'

🔍 parse_program: starting at line 5545: 'education. While traditional contexts for learning are included, students will also focus on modern technology and trends in nursing education.'
  ➜ Title candidate: 'education. While traditional contexts for learning are included, students will also focus on modern technology and trends in nursing education.'
  ❌ Invalid title line: 'education. While traditional contexts for learning are included, students will also focus on modern technology and trends in nursing education.'
  ➜ Parsing at 5546: 'Students will explore curriculum development, educational philosophy, theories and models, instruction and evaluation, as well as e-learning,'

🔍 parse_program: starting at line 5546: 'Students will explore curriculum development, educational philosophy, theories and models, instruction and evaluation, as well as e-learning,'
  ➜ Title candidate: 'Students will explore curriculum development, educational philosophy, theories and models, instruction and evaluation, as well as e-learning,'
  ❌ Invalid title line: 'Students will explore curriculum development, educational philosophy, theories and models, instruction and evaluation, as well as e-learning,'
  ➜ Parsing at 5547: 'simulations, and current technology in nursing education.'

🔍 parse_program: starting at line 5547: 'simulations, and current technology in nursing education.'
  ➜ Title candidate: 'simulations, and current technology in nursing education.'
  ❌ Invalid title line: 'simulations, and current technology in nursing education.'
  ➜ Parsing at 5548: 'C359 - Future Directions in Contemporary Learning and Education - This course builds on previously developed concepts acquired in'

🔍 parse_program: starting at line 5548: 'C359 - Future Directions in Contemporary Learning and Education - This course builds on previously developed concepts acquired in'
  ➜ Title candidate: 'C359 - Future Directions in Contemporary Learning and Education - This course builds on previously developed concepts acquired in'
  ❌ Invalid title line: 'C359 - Future Directions in Contemporary Learning and Education - This course builds on previously developed concepts acquired in'
  ➜ Parsing at 5549: 'Foundations of Nursing Education and Facilitating Learning in the 21st Century. This course will explore how changes in the economy, advancements'

🔍 parse_program: starting at line 5549: 'Foundations of Nursing Education and Facilitating Learning in the 21st Century. This course will explore how changes in the economy, advancements'
  ➜ Title candidate: 'Foundations of Nursing Education and Facilitating Learning in the 21st Century. This course will explore how changes in the economy, advancements'
  ❌ Invalid title line: 'Foundations of Nursing Education and Facilitating Learning in the 21st Century. This course will explore how changes in the economy, advancements'
  ➜ Parsing at 5550: 'in science, and the explosion of technology have created a paradigm shift in nursing education. Graduates will further explore the role of the educator'

🔍 parse_program: starting at line 5550: 'in science, and the explosion of technology have created a paradigm shift in nursing education. Graduates will further explore the role of the educator'
  ➜ Title candidate: 'in science, and the explosion of technology have created a paradigm shift in nursing education. Graduates will further explore the role of the educator'
  ❌ Invalid title line: 'in science, and the explosion of technology have created a paradigm shift in nursing education. Graduates will further explore the role of the educator'
  ➜ Parsing at 5551: 'and the application of innovative education strategies.'

🔍 parse_program: starting at line 5551: 'and the application of innovative education strategies.'
  ➜ Title candidate: 'and the application of innovative education strategies.'
  ❌ Invalid title line: 'and the application of innovative education strategies.'
  ➜ Parsing at 5552: '© Western Governors University 7/19/17 155'

🔍 parse_program: starting at line 5552: '© Western Governors University 7/19/17 155'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'C360 - Teacher Work Sample in English Language Learning - The Teacher Work Sample is a culmination of the wide variety of skills learned'
  ➜ Skipping stray line: 'during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of'
  ➜ Skipping stray line: 'your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C361 - Evidence Based Practice and Applied Nursing Research - The Evidence Based Practice and Applied Nursing Research course will help'
  ➜ Skipping stray line: 'you to learn how to design and conduct research to answer important questions about improving nursing practice and patient care delivery outcomes.'
  ➜ Skipping stray line: 'After you are introduced to the basics of evidence-based practice, you will continue to implement the principles throughout your clinical experience.'
  ➜ Skipping stray line: 'This will allow you to graduate with more competence and confidence to become a leader in the healing environment.'
  ➜ Skipping stray line: 'C362 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to apply'
  ➜ Skipping stray line: 'differential calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include functions, limits, continuity,'
  ➜ Skipping stray line: 'differentiability, visual, analytical, and conceptual approaches to the definition of the derivative, the power, chain, sum, product, and quotient rules'
  ➜ Skipping stray line: 'applied to polynomial, trigonometric, exponential, and logarithmic functions, implicit differentiation, position, velocity, and acceleration, optimization,'
  ➜ Skipping stray line: 'related rates, curve sketching, and L'Hopital's Rule. Pre-Calculus is a pre-requisite for this course.'
  ➜ Skipping stray line: 'C363 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to apply'
  ➜ Skipping stray line: 'differential calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include functions, limits, continuity,'
  ➜ Skipping stray line: 'differentiability, visual, analytical, and conceptual approaches to the definition of the derivative, the power, chain, sum, product, and quotient rules'
  ➜ Skipping stray line: 'applied to polynomial, trigonometric, exponential, and logarithmic functions, implicit differentiation, position, velocity, and acceleration, optimization,'
  ➜ Skipping stray line: 'related rates, curve sketching, and L'Hopital's Rule. Pre-Calculus is a pre-requisite for this course.'
  ➜ Skipping stray line: 'C365 - Language Arts Instruction and Intervention - Language Arts Instruction and Intervention helps students learn how to implement effective'
  ➜ Skipping stray line: 'language arts instruction and intervention in the elementary classroom. Topics include written and spoken English, expanding students' knowledge,'
  ➜ Skipping stray line: 'literature rich environments, differentiated instruction, technology for reading and writing, assessment strategies for reading and writing, and strategies'
  ➜ Skipping stray line: 'for developing academic language.'
  ➜ Skipping stray line: 'C367 - Elementary Physical Education and Health Methods - Elementary Physical Education and Health Methods helps students learn how to'
  ➜ Skipping stray line: 'implement effective physical and health education instruction in the elementary classroom. Topics include healthy lifestyles, student safety, student'
  ➜ Skipping stray line: 'nutrition, physical education, differentiated instruction for physical and health education, physical education across the curriculum, and public policy in'
  ➜ Skipping stray line: 'health and physical education.'
  ➜ Skipping stray line: 'C368 - Instructional Planning and Presentation in Elementary Education - Instructional Planning and Presentation assists students as they'
  ➜ Skipping stray line: 'continue to build instructional planning skills. Topics include unit and lesson planning, instructional presentation strategies, assessment, engagement,'
  ➜ Skipping stray line: 'integration of learning across the curriculum, effective grouping strategies, technology in the classroom, and using data to inform instruction.'
  ➜ Skipping stray line: 'C369 - Instructional Planning and Presentation in Science - Students will continue to build instructional planning skills with a focus on selecting'
  ➜ Skipping stray line: 'appropriate materials for diverse learners, selecting age- and ability- appropriate strategies for the content areas, promoting critical thinking, and'
  ➜ Skipping stray line: 'establishing both short- and long- term goals'
  ➜ Skipping stray line: 'C375 - Survey of World History - Through a thematic approach, this course explores the history of human societies over 5,000 years. Students'
  ➜ Skipping stray line: 'examine political and social structures, religious beliefs, economic systems, and patterns in trade, as well as many cultural attributes that came to'
  ➜ Skipping stray line: 'distinguish different societies around the globe over time. Special attention is given to relationships between these societies and the way geographic'
  ➜ Skipping stray line: 'and environmental factors influence human development.'
  ➜ Skipping stray line: 'C380 - Language Arts Instruction and Intervention - Language Arts Instruction and Intervention helps students learn how to implement effective'
  ➜ Skipping stray line: 'language arts instruction and intervention in the elementary classroom. Topics include written and spoken English, expanding students' knowledge,'
  ➜ Skipping stray line: 'literature rich environments, differentiated instruction, technology for reading and writing, assessment strategies for reading and writing, and strategies'
  ➜ Skipping stray line: 'for developing academic language.'
  ➜ Skipping stray line: 'C381 - Elementary Mathematics Methods - Elementary Mathematics Methods helps students learn how to implement effective math instruction in'
  ➜ Skipping stray line: 'the elementary classroom. Topics include differentiated math instruction, mathematical communication, mathematical tools for instruction, assessing'
  ➜ Skipping stray line: 'math understanding, integrating math across the curriculum, critical thinking development, standards based math instruction, and mathematical'
  ➜ Skipping stray line: 'models and representation.'
  ➜ Skipping stray line: 'C382 - Elementary Science Methods - Elementary Science Methods helps students learn how to implement effective science instruction in the'
  ➜ Skipping stray line: 'elementary classroom. Topics include processes of science, science inquiry, science learning environments, instructional strategies for science,'
  ➜ Skipping stray line: 'differentiated instruction for science, assessing science understanding, technology for science instruction, standards based science instruction,'
  ➜ Skipping stray line: 'integrating science across curriculum, and science beyond the classroom.'
  ➜ Skipping stray line: 'C388 - Science, Technology, and Society - Science, Technology, and Society explores the ways in which science influences and is influenced by'
  ➜ Skipping stray line: 'society and technology. A humanistic and social endeavor, science serves the needs of ever-changing societies by providing methods for observing,'
  ➜ Skipping stray line: 'questioning, discovering, and communicating information about the physical and natural world. This course prepares educators to explain the nature'
  ➜ Skipping stray line: 'and history of science, the various applications of science, and the scientific and engineering processes used to conduct investigations, make'
  ➜ Skipping stray line: 'decisions, and solve problems. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C389 - Science, Technology, and Society - Science, Technology, and Society explores the ways in which science influences and is influenced by'
  ➜ Skipping stray line: 'society and technology. A humanistic and social endeavor, science serves the needs of ever-changing societies by providing methods for observing,'
  ➜ Skipping stray line: 'questioning, discovering, and communicating information about the physical and natural world. This course prepares educators to explain the nature'
  ➜ Skipping stray line: 'and history of science, the various applications of science, and the scientific and engineering processes used to conduct investigations, make'
  ➜ Skipping stray line: 'decisions, and solve problems. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C393 - IT Foundations - IT Foundations is the first course in a two-part series preparatory for the CompTIA A+ exam, Part I. Students will gain an'
  ➜ Skipping stray line: 'understanding of personal computer components and their functions in a desktop system, as well as computer data storage and retrieval; classifying,'
  ➜ Skipping stray line: 'installing, configuring, optimizing, upgrading, and troubleshooting printers, laptops, portable devices, operating systems, networks, and system'
  ➜ Skipping stray line: 'security; recommending appropriate tools, diagnostic procedures, preventative maintenance and troubleshooting techniques for personal computer'
  ➜ Skipping stray line: 'components in a desktop system; strategies for identifying, preventing, and reporting safety hazards and environmental/human accidents in a'
  ➜ Skipping stray line: 'technological environments; and effective communication with colleagues and clients as well as job-related professional behavior.'
  ➜ Skipping stray line: 'C394 - IT Applications - IT Applications is a continuation of the IT Foundations course preparatory for the CompTIA A+ exam, Part II.'
  ➜ Skipping stray line: 'Students will gain an understanding of personal computer components and their functions in a desktop system. Also covered is computer data storage'
  ➜ Skipping stray line: 'and retrieval, including classifying, installing, configuring, optimizing, upgrading, and troubleshooting printers, laptops, portable devices, operating'
  ➜ Skipping stray line: 'systems, networks, and system security. Other areas include recommending appropriate tools, diagnostic procedures, preventative maintenance and'
  ➜ Skipping stray line: 'troubleshooting techniques for personal computer components in a desktop system. The course then finished with strategies for identifying,'
  ➜ Skipping stray line: 'preventing, and reporting safety hazards and environmental/human accidents in a technological environments, and effective communication with'
  ➜ Skipping stray line: 'colleagues and clients as well as job-related professional behavior.'
  ➜ Skipping stray line: 'C395 - Instructional Planning and Presentation in English - Applications in Instructional Planning and Presentation in English, as a continuation of'
  ➜ Skipping stray line: 'the Instructional Planning and Presentation course, helps students apply, analyze, and reflect on effective classroom instruction.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 156'
  ➜ Skipping stray line: 'C396 - English Pedagogy - English Pedagogy examines pedagogical applications for the teaching of reading, literature, composition, and related'
  ➜ Skipping stray line: 'English Language Arts (ELA) content and skills for middle and secondary schools. Focused on fostering and developing pedagogical content'
  ➜ Skipping stray line: 'knowledge in the aforementioned areas, students will analyze assessment strategies and incorporate methods of literacy instruction into their'
  ➜ Skipping stray line: 'instructional planning to meet the needs of diverse learners. This course helps students prepare and develop skills for classroom practice, lesson'
  ➜ Skipping stray line: 'planning, and working in school settings. C397 Preclinical Experiences in English is a prerequisite.'
  ➜ Skipping stray line: 'C397 - Preclinical Experiences in English - Preclinical Experiences in English provides students the opportunity to observe and participate in a wide'
  ➜ Skipping stray line: 'range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will reflect on'
  ➜ Skipping stray line: 'and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required to meet'
  ➜ Skipping stray line: 'several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C398 - Supervised Demonstration Teaching in English, Observations 1 and 2 - Supervised Demonstration Teaching in English involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C399 - Supervised Demonstration Teaching in English, Observation 3 and Midterm - Supervised Demonstration Teaching in English involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C400 - Supervised Demonstration Teaching in English, Observations 4 and 5 - Supervised Demonstration Teaching in English involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C401 - Supervised Demonstration Teaching in English, Observation 6 and Final - Supervised Demonstration Teaching in English involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C405 - Anatomy and Physiology II - This course introduces advanced concepts of human anatomy and physiology, through the investigation of the'
  ➜ Skipping stray line: 'structures and functions of the body's organ systems. Students will have the opportunity to explore the body through laboratory experience and apply'
  ➜ Skipping stray line: 'the concepts covered in this course. For nursing students this is the second of two anatomy and physiology courses within the program of study.'
  ➜ Skipping stray line: 'C410 - Collaborative Leadership Project - The purpose of this course is to practice applying collaborative leadership skills in an innovative'
  ➜ Skipping stray line: 'environment while engaging with a community. You will combine innovation with leadership to serve patients. You will also identify an innovation'
  ➜ Skipping stray line: 'process that will serve the Navajo Area Indian Health Services (NAIHS) facility in the Navajo Nation. The main task will be to collaborate with'
  ➜ Skipping stray line: 'stakeholders on the proposed process to address obesity.'
  ➜ Skipping stray line: 'C417 - Analytical Methods of Healthcare Professionals - This course explores the significance of research and statistics in care management. You'
  ➜ Skipping stray line: 'will start by examining the role of evidence-based decisions in care management and how to evaluate the quality of research used to make those'
  ➜ Skipping stray line: 'decisions. You will examine the role of statistics in making evidence-based decisions about care management. Finally, you will learn how statistics are'
  ➜ Skipping stray line: 'used in healthcare and how to test the validity of statistics in order to make informed care management decisions.'
  ➜ Skipping stray line: 'C421 - Health Information Technology Project - A medical group has decided to move forward with the organizational initiative of reducing health'
  ➜ Skipping stray line: 'disparities, increasing access, and improving outcomes by leading a cooperative of local healthcare organizations in a Community Health Information'
  ➜ Skipping stray line: 'Exchange System (CHIES) expansion plan founded on the governor’s vision to advance HIEs. You will complete an assessment of a CHIE, propose'
  ➜ Skipping stray line: 'an updated Electronic Health Records System (EHRS), and complete a CHIE feasibility assessment.'
  ➜ Skipping stray line: 'C423 - Challenges in Community Health Project - Community-based integrated healthcare requires skills in communication, management, and'
  ➜ Skipping stray line: 'resource utilization among healthcare personnel, healthcare organizations, and community and state entities. You will apply appropriate actions and'
  ➜ Skipping stray line: 'strategies consistent with the organizational mission, values, and needs in interactions with community leaders and members of the community. You'
  ➜ Skipping stray line: 'will learn and demonstrate utilization of communication and collaboration skills and the evaluation and application of data in problem-solving skills at'
  ➜ Skipping stray line: 'both the organizational and community level.'
  ➜ Skipping stray line: 'C424 - Integrated Healthcare Project - You will develop and present a comprehensive case study and business plan that proposes an integrated'
  ➜ Skipping stray line: 'system that includes, at a minimum, a health plan, hospitals, skilled nursing homes, and home health organizations to meet the rising health demands'
  ➜ Skipping stray line: 'of the baby-boomer population. You will choose an area of the U.S. with existing healthcare organizations, and present a model of an “open delivery'
  ➜ Skipping stray line: 'system” that serves as a financial hedge, enables experimentation, integrates culture (patient population demographics and regional healthcare'
  ➜ Skipping stray line: 'values and principles), incentives wellness and preventative care), and is value-based and consumer driven.'
  ➜ Skipping stray line: 'C425 - Healthcare Delivery Systems, Regulation, and Compliance - This course provides an overview of the U.S. healthcare system and focuses'
  ➜ Skipping stray line: 'on developing an understanding of the various sectors and roles involved in this complex industry. Policy and compliance issues are also addressed to'
  ➜ Skipping stray line: 'facilitate an appreciation for the highly regulated nature of healthcare delivery.'
  ➜ Skipping stray line: 'C426 - Healthcare Values and Ethics - This course explores ethical standards and considerations common to the healthcare environment such as'
  ➜ Skipping stray line: 'access to care, confidentiality, the allocation of limited resources, and billing practices. This course also focuses on the distinct value system'
  ➜ Skipping stray line: 'associated with the healthcare industry, as well as the values of professionalism.'
  ➜ Skipping stray line: 'C427 - Technology Applications in Healthcare - This course explores how technology continues to change and influence the healthcare industry.'
  ➜ Skipping stray line: 'Practical managerial applications are explored as well as the legal, ethical, and practical aspects of access to health and disease information.'
  ➜ Skipping stray line: 'Ensuring the protection of private health information is also emphasized.'
  ➜ Skipping stray line: 'C428 - Financial Resource Management in Healthcare - This course examines the financial environment of the healthcare industry including'
  ➜ Skipping stray line: 'principles involved in managed care. It also explores the revenue and expense structures for different sectors within the industry while emphasizing'
  ➜ Skipping stray line: 'funding and reimbursement practices of healthcare.'
  ➜ Skipping stray line: 'C429 - Healthcare Operations Management - This course builds upon basic principles of management, organizational behavior, and leadership.'
  ➜ Skipping stray line: 'Specific processes and business principles for managing operations in interdependent and multi-disciplinary healthcare organizations are explored.'
  ➜ Skipping stray line: 'Marketing strategies, communication skills, and the ability to establish and maintain relationships while ensuring productivity that is efficient, safe, and'
  ➜ Skipping stray line: 'meets the needs of all stakeholders is emphasized.'
  ➜ Skipping stray line: 'C430 - Healthcare Quality Improvement and Risk Management - This course emphasizes principles of quality management and risk management'
  ➜ Skipping stray line: 'in order to ensure safety, maximize patient outcomes, and continuously improve organizational outcomes. This course also examines the broader'
  ➜ Skipping stray line: 'impact of organizational culture and its influence on productivity, quality, and risk.'
  ➜ Skipping stray line: 'C431 - Healthcare Research and Statistics - This course builds upon an understanding of research methods and quantitative analysis. Concepts of'
  ➜ Skipping stray line: 'population health, epidemiology, and evidence-based practices provide the foundation for understanding the importance of data for informing'
  ➜ Skipping stray line: 'healthcare organizational decisions.'
  ➜ Skipping stray line: 'C432 - Healthcare Management and Strategy - This course builds upon basic principles of strategic management and explores healthcare'
  ➜ Skipping stray line: 'organizational structures and processes. The importance of the collaborative nature and interrelationships among business functions is emphasized.'
  ➜ Skipping stray line: 'Creating a healthcare vision and designing business plans within a healthcare environment is also examined.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 157'
  ➜ Skipping stray line: 'C433 - Integrated Healthcare Management Capstone Project - The capstone project is a student-designed project intended to illustrate your ability'
  ➜ Skipping stray line: 'to effect change in the industry and demonstrate competence in all five core competencies of the curriculum. You are required to collaborate with'
  ➜ Skipping stray line: 'leaders in the healthcare industry to identify opportunities for improvement in healthcare, propose a solution, and perform a business analysis to'
  ➜ Skipping stray line: 'evaluate its feasibility. In addition, the capstone project encourages work in the healthcare industry that will be showcased in your collection of work'
  ➜ Skipping stray line: 'and help solidify professional relationships in the industry.'
  ➜ Skipping stray line: 'C439 - Healthcare Management Capstone - This course is the culminating experience and assessment of healthcare business administration. This'
  ➜ Skipping stray line: 'course requires the student to integrate and synthesize managerial skills with healthcare knowledge, resulting in a high quality final project that'
  ➜ Skipping stray line: 'demonstrates professional managerial proficiency.'
  ➜ Skipping stray line: 'C451 - Integrated Natural Science - Integrated Natural Sciences explores the natural world through an integrated perspective and helps students'
  ➜ Skipping stray line: 'begin to see and draw numerous connections among events in the natural world. Topics include the universe, the Earth, ecosystems and organisms.'
  ➜ Skipping stray line: 'C452 - Integrated Natural Science Applications - Integrated Natural Sciences Applications explores the natural world through an integrated'
  ➜ Skipping stray line: 'perspective and helps students apply scientific concepts and methodologies to the examination of natural science fundamentals.'
  ➜ Skipping stray line: 'C453 - Clinical Microbiology - Clinical Microbiology introduces general concepts, methods, and applications of microbiology from a health sciences'
  ➜ Skipping stray line: 'perspective. The course is designed to provide healthcare professionals with a basic understanding of how various diseases are transmitted and'
  ➜ Skipping stray line: 'controlled. Students will examine the structure and function of microorganisms, including the roles that they play in causing major diseases. The'
  ➜ Skipping stray line: 'course also explores immunological, pathological and epidemiological factors associated with disease. To assist students in developing an applied,'
  ➜ Skipping stray line: 'patient-focused understanding of microbiology, this course is complimented by several lab experiments which allow students to: practice aseptic'
  ➜ Skipping stray line: 'techniques, grow bacteria and fungi, identify characteristics of bacteria and yeast based on biochemical and environmental tests, determine antibiotic'
  ➜ Skipping stray line: 'susceptibility, discover the microorganisms growing on objects and surfaces, and determine the Gram characteristic of bacteria. This course has no'
  ➜ Skipping stray line: 'pre-requisites.'
  ➜ Skipping stray line: 'C455 - English Composition I - English Composition I introduces learners to the types of writing and thinking that are valued in college and beyond.'
  ➜ Skipping stray line: 'Students will practice writing in several genres with emphasis placed on writing and revising academic arguments. Instruction and exercises in'
  ➜ Skipping stray line: 'grammar, mechanics, research documentation, and style are paired with each module so that writers can practice these skills as necessary.'
  ➜ Skipping stray line: 'Comp I is a foundational course designed to help students prepare for success at the college level.'
  ➜ Skipping stray line: 'There are no prerequisites for English Composition I.'
  ➜ Skipping stray line: 'C456 - English Composition II - English Composition II introduces undergraduate students to research writing. It is a foundational course designed to'
  ➜ Skipping stray line: 'help students prepare for advanced writing within the discipline and to complete the capstone. Specifically, this course will help students develop or'
  ➜ Skipping stray line: 'improve research, reference citation, document organization, and writing skills. English Composition I or equivalent is a prerequisite for this course.'
  ➜ Skipping stray line: 'C457 - Foundations of College Mathematics - Foundations of College Mathematics addresses the sequence of learning activities necessary to build'
  ➜ Skipping stray line: 'competence in foundational concepts of College Mathematics, which include whole numbers, fractions, decimals, ratios, proportions and percents,'
  ➜ Skipping stray line: 'geometry, statistics, the real number system, equations, inequalities, applications, and graphs of linear equations.'
  ➜ Skipping stray line: 'C458 - Health, Fitness and Wellness - Health, Fitness and Wellness focuses on the importance and foundations of good health and physical fitness,'
  ➜ Skipping stray line: 'particularly for children and adolescents, addressing health, nutrition, fitness, and substance use and abuse.'
  ➜ Skipping stray line: 'C459 - Introduction to Probability and Statistics - In this course, students demonstrate competency in the basic concepts, logic, and issues'
  ➜ Skipping stray line: 'involved in statistical reasoning. Topics include summarizing and analyzing data, sampling and study design, and probability.'
  ➜ Skipping stray line: 'C460 - Mathematics for Elementary Educators I - Mathematics for Elementary Educators I engages pre-service elementary teachers in'
  ➜ Skipping stray line: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in problem solving, set theory,'
  ➜ Skipping stray line: 'number theory, whole numbers and integers. This is the first course in a three-course sequence.'
  ➜ Skipping stray line: 'C461 - Mathematics for Elementary Educators II - This course engages pre-service elementary teachers in mathematical practices based on deep'
  ➜ Skipping stray line: 'understanding of underlying concepts. This course takes the arithmetic of the first course and generalizes it into algebraic reasoning. The course also'
  ➜ Skipping stray line: 'touches on important topics in probability. This is the second course in a three-course sequence.'
  ➜ Skipping stray line: 'C462 - Mathematics for Elementary Educators III - Mathematics for Elementary Educators III engages pre-service elementary teachers in'
  ➜ Skipping stray line: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in statistics, measurement, and'
  ➜ Skipping stray line: 'covers geometry from synthetic, transformational, and coordinate perspectives. This is the third course in a three-course sequence.'
  ➜ Skipping stray line: 'C463 - Intermediate Algebra - This course provides an introduction of algebraic concepts and the development of the essential groundwork for'
  ➜ Skipping stray line: 'College Algebra. Topics include: A review of basic mathematical skills, the real number system, algebraic expressions, linear equations, graphing,'
  ➜ Skipping stray line: 'exponents and polynomials'
  ➜ Skipping stray line: 'C464 - Introduction to Communication - This introductory communication course allows students to become familiar with the fundamental'
  ➜ Skipping stray line: 'communication theories and practices necessary to engage in healthy professional and personal relationships. Students will survey human'
  ➜ Skipping stray line: 'communication on multiple levels and critically apply the theoretical grounding of the course to interpersonal, intercultural, small group, and public'
  ➜ Skipping stray line: 'presentational contexts. The course also encourages students to consider the influence of language, perception, culture, and media on their daily'
  ➜ Skipping stray line: 'communicative interactions. In addition to theory, students will engage in the application of effective communication skills through systematically'
  ➜ Skipping stray line: 'preparing and delivering an oral presentation. By practicing these fundamental skills in human communication, students become more competent'
  ➜ Skipping stray line: 'communicators as they develop more flexible, useful, and discriminatory communicative practices in a variety of contexts.'
  ➜ Skipping stray line: 'C465 - Care of the Developing Family - .'
  ➜ Skipping stray line: 'C466 - Medication Dosage Calculations - In Medication Dosage Calculations, students learn about individualized drug dosing concepts, including:'
  ➜ Skipping stray line: 'different measurement systems, solid and liquid medications, calculating dosages based on body weight or body surface area, interpreting drug labels'
  ➜ Skipping stray line: 'and abbreviations, and common medication errors.'
  ➜ Skipping stray line: 'C467 - Pharmacology - Pharmacology covers concepts in pharmacology including drug classification and effects, the role of the nurse in drug'
  ➜ Skipping stray line: 'therapy, preparation and administration of drugs, and ethical and legal issues surrounding medication administration. The Institute of Medicine reports'
  ➜ Skipping stray line: 'that cited medication errors as the most common medical errors, costing billions of dollars and harming up to 1.5 million people every year. Medication'
  ➜ Skipping stray line: 'errors are often the result of nurses failing to follow proper procedures. The pharmacology course covers the following concepts: the nursing process'
  ➜ Skipping stray line: 'in relation to drug therapy; the role of pharmacological principles in nursing; the role of the nurse in pharmacy and lifespan considerations; cultural,'
  ➜ Skipping stray line: 'ethical, and legal considerations; education and substance abuse; and gene therapy and pharmacology. This course introduces the nursing student to'
  ➜ Skipping stray line: 'these concepts and continues to integrate pharmacology throughout the clinical courses within the program.'
  ➜ Skipping stray line: 'C468 - Information Management and the Application of Technology - Information Management and the Application of Technology helps the'
  ➜ Skipping stray line: 'student learn how to identify and implement the unique responsibilities of nurses related to the application of technology and the management of'
  ➜ Skipping stray line: 'patient information. This includes: understanding the evolving role of nurse informaticists; demonstrating the skills needed to use electronic health'
  ➜ Skipping stray line: 'records; identifying nurse-sensitive outcomes that lead to quality improvement measures; supporting the contributions of nurses to patient care;'
  ➜ Skipping stray line: 'examining workflow changes related to the implementation of computerized management systems; and learning to analyze the implications of new'
  ➜ Skipping stray line: 'technology on security, practice, and research.'
  ➜ Skipping stray line: 'C469 - Caring Arts and Science Across the Lifespan Part I - Caring Arts and Science Across the Lifespan Part I introduces nursing fundamentals'
  ➜ Skipping stray line: 'which speak to the core of all nursing care by assessing the needs of patients with compassion and respect; advocating for patients and their families;'
  ➜ Skipping stray line: 'providing education and comfort; and integrating patient needs into a plan of care that embraces individuality, diversity, and belief. Students continue'
  ➜ Skipping stray line: 'to learn about fundamental nursing skills within their didactic environment and will be provided time to practice in a learning lab environment.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 158'
  ➜ Skipping stray line: 'C470 - Caring Arts and Science Across the Lifespan Part I Clinical Learning - This course includes all aspects of clinical learning related to the'
  ➜ Skipping stray line: 'fundamentals of nursing practice. Learning labs will teach and assess task skill knowledge including physical assessment, safe medication'
  ➜ Skipping stray line: 'administration, oxygenation; nutrition, metabolism, & elimination; skin integrity, activity, & mobility; and cognition. Students who are successful in lab'
  ➜ Skipping stray line: 'assessments will progress to live patient clinicals and will be assessed for their mastery of basic levels of the key behaviors for clinical practice of a'
  ➜ Skipping stray line: 'novice nursing student.'
  ➜ Skipping stray line: 'C471 - Caring Arts and Science Across the Lifespan Part II - Caring Arts and Science Across the Lifespan Part II topics include management of'
  ➜ Skipping stray line: 'the perioperative care continuum; patient centered care of the adult; care of the adult with alterations in circulation; car of the adult with alterations in'
  ➜ Skipping stray line: 'cardiovascular function; care of the adult with alterations in oxygenation; care of the adult with alterations in neurosensory function; fundamental'
  ➜ Skipping stray line: 'patient self-determination & advocacy; and end-of-life care. This course incorporates virtual simulations into the didactic course to help students'
  ➜ Skipping stray line: 'prepare for their learning labs and clinical learning experience. Patient scenarios for the virtual simulations include: fluid & electrolyte imbalance; blood'
  ➜ Skipping stray line: 'transfusion reaction; severe reaction to antibiotic; pulmonary embolism; and postoperative complications with a fracture.'
  ➜ Skipping stray line: 'C472 - Caring Arts and Science Across the Lifespan Part II Clinical Learning - The clinical learning course for CASAL II includes all aspects of'
  ➜ Skipping stray line: 'clinical learning related to medical surgical nursing practice. Learning labs will teach and assess task skill knowledge progressing to high fidelity'
  ➜ Skipping stray line: 'simulation scenarios to develop mastery of situated use of knowledge and synthesis of knowledge in clinical scenarios that focus on perioperative'
  ➜ Skipping stray line: 'care. The virtual simulations that students completed in didactic will prepare them for their learning lab scenarios. Students who are successful in lab'
  ➜ Skipping stray line: 'assessments will progress to live patient clinicals and will be assessed for their mastery of basic levels of the key behaviors for clinical practice of'
  ➜ Skipping stray line: 'Medical Surgical nursing.'
  ➜ Skipping stray line: 'C473 - Care of Adults with Complex Illnesses - The Care of Adults with Complex Illnesses course builds on prior knowledge of medical surgical'
  ➜ Skipping stray line: 'nursing care and common conditions, focusing on diseases and conditions that affect the neuromuscular system, the musculoskeletal system, the'
  ➜ Skipping stray line: 'kidneys, the pancreas, and diseases such as cancer and impaired immunity, which affect every part of the body. Students will develop mastery of'
  ➜ Skipping stray line: 'competencies related to advanced medical surgical nursing practice. This course also utilizes virtual simulation scenarios to help students prepare for'
  ➜ Skipping stray line: 'their learning labs and their clinical intensives. Students work through the following patient scenarios: diabetes/hypoglycemia; postop abdominal'
  ➜ Skipping stray line: 'hysterectomy/opioid intoxication; acute severe asthma; acute myocardial infarction; and respiratory system disease.'
  ➜ Skipping stray line: 'C474 - Clinical Learning for Complex Illnesses in Adults - Clinical Care of Adults with Complex Illnesses includes all aspects of clinical learning'
  ➜ Skipping stray line: 'related to advanced medical surgical nursing practice. Learning labs will teach and assess advanced clinical competencies through the use of high'
  ➜ Skipping stray line: 'fidelity simulation and advanced clinical debriefing for clinical scenarios. Students participate in skills related to advance medication administration,'
  ➜ Skipping stray line: 'central venous devices, and peripherally inserted central catheters. The virtual simulations that students completed in didactic will prepare them for'
  ➜ Skipping stray line: 'their learning lab scenarios. Students who are successful in simulation assessments will progress to live patient clinicals and will be assessed for their'
  ➜ Title candidate: 'mastery of advanced levels of the key behaviors for clinical practice of Medical Surgical nursing.'
  ✔️ Collected description (1790 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 5553: 'C360 - Teacher Work Sample in English Language Learning - The Teacher Work Sample is a culmination of the wide variety of skills learned'

🔍 parse_program: starting at line 5553: 'C360 - Teacher Work Sample in English Language Learning - The Teacher Work Sample is a culmination of the wide variety of skills learned'
  ➜ Title candidate: 'C360 - Teacher Work Sample in English Language Learning - The Teacher Work Sample is a culmination of the wide variety of skills learned'
  ❌ Invalid title line: 'C360 - Teacher Work Sample in English Language Learning - The Teacher Work Sample is a culmination of the wide variety of skills learned'
  ➜ Parsing at 5554: 'during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of'

🔍 parse_program: starting at line 5554: 'during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of'
  ➜ Title candidate: 'during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of'
  ❌ Invalid title line: 'during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of'
  ➜ Parsing at 5555: 'your content, planning, instructional, and reflective skills in this professional assessment.'

🔍 parse_program: starting at line 5555: 'your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Title candidate: 'your content, planning, instructional, and reflective skills in this professional assessment.'
  ❌ Invalid title line: 'your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Parsing at 5556: 'C361 - Evidence Based Practice and Applied Nursing Research - The Evidence Based Practice and Applied Nursing Research course will help'

🔍 parse_program: starting at line 5556: 'C361 - Evidence Based Practice and Applied Nursing Research - The Evidence Based Practice and Applied Nursing Research course will help'
  ➜ Title candidate: 'C361 - Evidence Based Practice and Applied Nursing Research - The Evidence Based Practice and Applied Nursing Research course will help'
  ❌ Invalid title line: 'C361 - Evidence Based Practice and Applied Nursing Research - The Evidence Based Practice and Applied Nursing Research course will help'
  ➜ Parsing at 5557: 'you to learn how to design and conduct research to answer important questions about improving nursing practice and patient care delivery outcomes.'

🔍 parse_program: starting at line 5557: 'you to learn how to design and conduct research to answer important questions about improving nursing practice and patient care delivery outcomes.'
  ➜ Title candidate: 'you to learn how to design and conduct research to answer important questions about improving nursing practice and patient care delivery outcomes.'
  ❌ Invalid title line: 'you to learn how to design and conduct research to answer important questions about improving nursing practice and patient care delivery outcomes.'
  ➜ Parsing at 5558: 'After you are introduced to the basics of evidence-based practice, you will continue to implement the principles throughout your clinical experience.'

🔍 parse_program: starting at line 5558: 'After you are introduced to the basics of evidence-based practice, you will continue to implement the principles throughout your clinical experience.'
  ➜ Title candidate: 'After you are introduced to the basics of evidence-based practice, you will continue to implement the principles throughout your clinical experience.'
  ❌ Invalid title line: 'After you are introduced to the basics of evidence-based practice, you will continue to implement the principles throughout your clinical experience.'
  ➜ Parsing at 5559: 'This will allow you to graduate with more competence and confidence to become a leader in the healing environment.'

🔍 parse_program: starting at line 5559: 'This will allow you to graduate with more competence and confidence to become a leader in the healing environment.'
  ➜ Title candidate: 'This will allow you to graduate with more competence and confidence to become a leader in the healing environment.'
  ❌ Invalid title line: 'This will allow you to graduate with more competence and confidence to become a leader in the healing environment.'
  ➜ Parsing at 5560: 'C362 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to apply'

🔍 parse_program: starting at line 5560: 'C362 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to apply'
  ➜ Title candidate: 'C362 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to apply'
  ❌ Invalid title line: 'C362 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to apply'
  ➜ Parsing at 5561: 'differential calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include functions, limits, continuity,'

🔍 parse_program: starting at line 5561: 'differential calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include functions, limits, continuity,'
  ➜ Title candidate: 'differential calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include functions, limits, continuity,'
  ❌ Invalid title line: 'differential calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include functions, limits, continuity,'
  ➜ Parsing at 5562: 'differentiability, visual, analytical, and conceptual approaches to the definition of the derivative, the power, chain, sum, product, and quotient rules'

🔍 parse_program: starting at line 5562: 'differentiability, visual, analytical, and conceptual approaches to the definition of the derivative, the power, chain, sum, product, and quotient rules'
  ➜ Title candidate: 'differentiability, visual, analytical, and conceptual approaches to the definition of the derivative, the power, chain, sum, product, and quotient rules'
  ❌ Invalid title line: 'differentiability, visual, analytical, and conceptual approaches to the definition of the derivative, the power, chain, sum, product, and quotient rules'
  ➜ Parsing at 5563: 'applied to polynomial, trigonometric, exponential, and logarithmic functions, implicit differentiation, position, velocity, and acceleration, optimization,'

🔍 parse_program: starting at line 5563: 'applied to polynomial, trigonometric, exponential, and logarithmic functions, implicit differentiation, position, velocity, and acceleration, optimization,'
  ➜ Title candidate: 'applied to polynomial, trigonometric, exponential, and logarithmic functions, implicit differentiation, position, velocity, and acceleration, optimization,'
  ❌ Invalid title line: 'applied to polynomial, trigonometric, exponential, and logarithmic functions, implicit differentiation, position, velocity, and acceleration, optimization,'
  ➜ Parsing at 5564: 'related rates, curve sketching, and L'Hopital's Rule. Pre-Calculus is a pre-requisite for this course.'

🔍 parse_program: starting at line 5564: 'related rates, curve sketching, and L'Hopital's Rule. Pre-Calculus is a pre-requisite for this course.'
  ➜ Title candidate: 'related rates, curve sketching, and L'Hopital's Rule. Pre-Calculus is a pre-requisite for this course.'
  ❌ Invalid title line: 'related rates, curve sketching, and L'Hopital's Rule. Pre-Calculus is a pre-requisite for this course.'
  ➜ Parsing at 5565: 'C363 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to apply'

🔍 parse_program: starting at line 5565: 'C363 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to apply'
  ➜ Title candidate: 'C363 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to apply'
  ❌ Invalid title line: 'C363 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to apply'
  ➜ Parsing at 5566: 'differential calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include functions, limits, continuity,'

🔍 parse_program: starting at line 5566: 'differential calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include functions, limits, continuity,'
  ➜ Title candidate: 'differential calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include functions, limits, continuity,'
  ❌ Invalid title line: 'differential calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include functions, limits, continuity,'
  ➜ Parsing at 5567: 'differentiability, visual, analytical, and conceptual approaches to the definition of the derivative, the power, chain, sum, product, and quotient rules'

🔍 parse_program: starting at line 5567: 'differentiability, visual, analytical, and conceptual approaches to the definition of the derivative, the power, chain, sum, product, and quotient rules'
  ➜ Title candidate: 'differentiability, visual, analytical, and conceptual approaches to the definition of the derivative, the power, chain, sum, product, and quotient rules'
  ❌ Invalid title line: 'differentiability, visual, analytical, and conceptual approaches to the definition of the derivative, the power, chain, sum, product, and quotient rules'
  ➜ Parsing at 5568: 'applied to polynomial, trigonometric, exponential, and logarithmic functions, implicit differentiation, position, velocity, and acceleration, optimization,'

🔍 parse_program: starting at line 5568: 'applied to polynomial, trigonometric, exponential, and logarithmic functions, implicit differentiation, position, velocity, and acceleration, optimization,'
  ➜ Title candidate: 'applied to polynomial, trigonometric, exponential, and logarithmic functions, implicit differentiation, position, velocity, and acceleration, optimization,'
  ❌ Invalid title line: 'applied to polynomial, trigonometric, exponential, and logarithmic functions, implicit differentiation, position, velocity, and acceleration, optimization,'
  ➜ Parsing at 5569: 'related rates, curve sketching, and L'Hopital's Rule. Pre-Calculus is a pre-requisite for this course.'

🔍 parse_program: starting at line 5569: 'related rates, curve sketching, and L'Hopital's Rule. Pre-Calculus is a pre-requisite for this course.'
  ➜ Title candidate: 'related rates, curve sketching, and L'Hopital's Rule. Pre-Calculus is a pre-requisite for this course.'
  ❌ Invalid title line: 'related rates, curve sketching, and L'Hopital's Rule. Pre-Calculus is a pre-requisite for this course.'
  ➜ Parsing at 5570: 'C365 - Language Arts Instruction and Intervention - Language Arts Instruction and Intervention helps students learn how to implement effective'

🔍 parse_program: starting at line 5570: 'C365 - Language Arts Instruction and Intervention - Language Arts Instruction and Intervention helps students learn how to implement effective'
  ➜ Title candidate: 'C365 - Language Arts Instruction and Intervention - Language Arts Instruction and Intervention helps students learn how to implement effective'
  ❌ Invalid title line: 'C365 - Language Arts Instruction and Intervention - Language Arts Instruction and Intervention helps students learn how to implement effective'
  ➜ Parsing at 5571: 'language arts instruction and intervention in the elementary classroom. Topics include written and spoken English, expanding students' knowledge,'

🔍 parse_program: starting at line 5571: 'language arts instruction and intervention in the elementary classroom. Topics include written and spoken English, expanding students' knowledge,'
  ➜ Title candidate: 'language arts instruction and intervention in the elementary classroom. Topics include written and spoken English, expanding students' knowledge,'
  ❌ Invalid title line: 'language arts instruction and intervention in the elementary classroom. Topics include written and spoken English, expanding students' knowledge,'
  ➜ Parsing at 5572: 'literature rich environments, differentiated instruction, technology for reading and writing, assessment strategies for reading and writing, and strategies'

🔍 parse_program: starting at line 5572: 'literature rich environments, differentiated instruction, technology for reading and writing, assessment strategies for reading and writing, and strategies'
  ➜ Title candidate: 'literature rich environments, differentiated instruction, technology for reading and writing, assessment strategies for reading and writing, and strategies'
  ❌ Invalid title line: 'literature rich environments, differentiated instruction, technology for reading and writing, assessment strategies for reading and writing, and strategies'
  ➜ Parsing at 5573: 'for developing academic language.'

🔍 parse_program: starting at line 5573: 'for developing academic language.'
  ➜ Title candidate: 'for developing academic language.'
  ❌ Invalid title line: 'for developing academic language.'
  ➜ Parsing at 5574: 'C367 - Elementary Physical Education and Health Methods - Elementary Physical Education and Health Methods helps students learn how to'

🔍 parse_program: starting at line 5574: 'C367 - Elementary Physical Education and Health Methods - Elementary Physical Education and Health Methods helps students learn how to'
  ➜ Title candidate: 'C367 - Elementary Physical Education and Health Methods - Elementary Physical Education and Health Methods helps students learn how to'
  ❌ Invalid title line: 'C367 - Elementary Physical Education and Health Methods - Elementary Physical Education and Health Methods helps students learn how to'
  ➜ Parsing at 5575: 'implement effective physical and health education instruction in the elementary classroom. Topics include healthy lifestyles, student safety, student'

🔍 parse_program: starting at line 5575: 'implement effective physical and health education instruction in the elementary classroom. Topics include healthy lifestyles, student safety, student'
  ➜ Title candidate: 'implement effective physical and health education instruction in the elementary classroom. Topics include healthy lifestyles, student safety, student'
  ❌ Invalid title line: 'implement effective physical and health education instruction in the elementary classroom. Topics include healthy lifestyles, student safety, student'
  ➜ Parsing at 5576: 'nutrition, physical education, differentiated instruction for physical and health education, physical education across the curriculum, and public policy in'

🔍 parse_program: starting at line 5576: 'nutrition, physical education, differentiated instruction for physical and health education, physical education across the curriculum, and public policy in'
  ➜ Title candidate: 'nutrition, physical education, differentiated instruction for physical and health education, physical education across the curriculum, and public policy in'
  ❌ Invalid title line: 'nutrition, physical education, differentiated instruction for physical and health education, physical education across the curriculum, and public policy in'
  ➜ Parsing at 5577: 'health and physical education.'

🔍 parse_program: starting at line 5577: 'health and physical education.'
  ➜ Title candidate: 'health and physical education.'
  ❌ Invalid title line: 'health and physical education.'
  ➜ Parsing at 5578: 'C368 - Instructional Planning and Presentation in Elementary Education - Instructional Planning and Presentation assists students as they'

🔍 parse_program: starting at line 5578: 'C368 - Instructional Planning and Presentation in Elementary Education - Instructional Planning and Presentation assists students as they'
  ➜ Title candidate: 'C368 - Instructional Planning and Presentation in Elementary Education - Instructional Planning and Presentation assists students as they'
  ❌ Invalid title line: 'C368 - Instructional Planning and Presentation in Elementary Education - Instructional Planning and Presentation assists students as they'
  ➜ Parsing at 5579: 'continue to build instructional planning skills. Topics include unit and lesson planning, instructional presentation strategies, assessment, engagement,'

🔍 parse_program: starting at line 5579: 'continue to build instructional planning skills. Topics include unit and lesson planning, instructional presentation strategies, assessment, engagement,'
  ➜ Title candidate: 'continue to build instructional planning skills. Topics include unit and lesson planning, instructional presentation strategies, assessment, engagement,'
  ❌ Invalid title line: 'continue to build instructional planning skills. Topics include unit and lesson planning, instructional presentation strategies, assessment, engagement,'
  ➜ Parsing at 5580: 'integration of learning across the curriculum, effective grouping strategies, technology in the classroom, and using data to inform instruction.'

🔍 parse_program: starting at line 5580: 'integration of learning across the curriculum, effective grouping strategies, technology in the classroom, and using data to inform instruction.'
  ➜ Title candidate: 'integration of learning across the curriculum, effective grouping strategies, technology in the classroom, and using data to inform instruction.'
  ❌ Invalid title line: 'integration of learning across the curriculum, effective grouping strategies, technology in the classroom, and using data to inform instruction.'
  ➜ Parsing at 5581: 'C369 - Instructional Planning and Presentation in Science - Students will continue to build instructional planning skills with a focus on selecting'

🔍 parse_program: starting at line 5581: 'C369 - Instructional Planning and Presentation in Science - Students will continue to build instructional planning skills with a focus on selecting'
  ➜ Title candidate: 'C369 - Instructional Planning and Presentation in Science - Students will continue to build instructional planning skills with a focus on selecting'
  ❌ Invalid title line: 'C369 - Instructional Planning and Presentation in Science - Students will continue to build instructional planning skills with a focus on selecting'
  ➜ Parsing at 5582: 'appropriate materials for diverse learners, selecting age- and ability- appropriate strategies for the content areas, promoting critical thinking, and'

🔍 parse_program: starting at line 5582: 'appropriate materials for diverse learners, selecting age- and ability- appropriate strategies for the content areas, promoting critical thinking, and'
  ➜ Title candidate: 'appropriate materials for diverse learners, selecting age- and ability- appropriate strategies for the content areas, promoting critical thinking, and'
  ❌ Invalid title line: 'appropriate materials for diverse learners, selecting age- and ability- appropriate strategies for the content areas, promoting critical thinking, and'
  ➜ Parsing at 5583: 'establishing both short- and long- term goals'

🔍 parse_program: starting at line 5583: 'establishing both short- and long- term goals'
  ➜ Title candidate: 'establishing both short- and long- term goals'
  ❌ Invalid title line: 'establishing both short- and long- term goals'
  ➜ Parsing at 5584: 'C375 - Survey of World History - Through a thematic approach, this course explores the history of human societies over 5,000 years. Students'

🔍 parse_program: starting at line 5584: 'C375 - Survey of World History - Through a thematic approach, this course explores the history of human societies over 5,000 years. Students'
  ➜ Title candidate: 'C375 - Survey of World History - Through a thematic approach, this course explores the history of human societies over 5,000 years. Students'
  ❌ Invalid title line: 'C375 - Survey of World History - Through a thematic approach, this course explores the history of human societies over 5,000 years. Students'
  ➜ Parsing at 5585: 'examine political and social structures, religious beliefs, economic systems, and patterns in trade, as well as many cultural attributes that came to'

🔍 parse_program: starting at line 5585: 'examine political and social structures, religious beliefs, economic systems, and patterns in trade, as well as many cultural attributes that came to'
  ➜ Title candidate: 'examine political and social structures, religious beliefs, economic systems, and patterns in trade, as well as many cultural attributes that came to'
  ❌ Invalid title line: 'examine political and social structures, religious beliefs, economic systems, and patterns in trade, as well as many cultural attributes that came to'
  ➜ Parsing at 5586: 'distinguish different societies around the globe over time. Special attention is given to relationships between these societies and the way geographic'

🔍 parse_program: starting at line 5586: 'distinguish different societies around the globe over time. Special attention is given to relationships between these societies and the way geographic'
  ➜ Title candidate: 'distinguish different societies around the globe over time. Special attention is given to relationships between these societies and the way geographic'
  ❌ Invalid title line: 'distinguish different societies around the globe over time. Special attention is given to relationships between these societies and the way geographic'
  ➜ Parsing at 5587: 'and environmental factors influence human development.'

🔍 parse_program: starting at line 5587: 'and environmental factors influence human development.'
  ➜ Title candidate: 'and environmental factors influence human development.'
  ❌ Invalid title line: 'and environmental factors influence human development.'
  ➜ Parsing at 5588: 'C380 - Language Arts Instruction and Intervention - Language Arts Instruction and Intervention helps students learn how to implement effective'

🔍 parse_program: starting at line 5588: 'C380 - Language Arts Instruction and Intervention - Language Arts Instruction and Intervention helps students learn how to implement effective'
  ➜ Title candidate: 'C380 - Language Arts Instruction and Intervention - Language Arts Instruction and Intervention helps students learn how to implement effective'
  ❌ Invalid title line: 'C380 - Language Arts Instruction and Intervention - Language Arts Instruction and Intervention helps students learn how to implement effective'
  ➜ Parsing at 5589: 'language arts instruction and intervention in the elementary classroom. Topics include written and spoken English, expanding students' knowledge,'

🔍 parse_program: starting at line 5589: 'language arts instruction and intervention in the elementary classroom. Topics include written and spoken English, expanding students' knowledge,'
  ➜ Title candidate: 'language arts instruction and intervention in the elementary classroom. Topics include written and spoken English, expanding students' knowledge,'
  ❌ Invalid title line: 'language arts instruction and intervention in the elementary classroom. Topics include written and spoken English, expanding students' knowledge,'
  ➜ Parsing at 5590: 'literature rich environments, differentiated instruction, technology for reading and writing, assessment strategies for reading and writing, and strategies'

🔍 parse_program: starting at line 5590: 'literature rich environments, differentiated instruction, technology for reading and writing, assessment strategies for reading and writing, and strategies'
  ➜ Title candidate: 'literature rich environments, differentiated instruction, technology for reading and writing, assessment strategies for reading and writing, and strategies'
  ❌ Invalid title line: 'literature rich environments, differentiated instruction, technology for reading and writing, assessment strategies for reading and writing, and strategies'
  ➜ Parsing at 5591: 'for developing academic language.'

🔍 parse_program: starting at line 5591: 'for developing academic language.'
  ➜ Title candidate: 'for developing academic language.'
  ❌ Invalid title line: 'for developing academic language.'
  ➜ Parsing at 5592: 'C381 - Elementary Mathematics Methods - Elementary Mathematics Methods helps students learn how to implement effective math instruction in'

🔍 parse_program: starting at line 5592: 'C381 - Elementary Mathematics Methods - Elementary Mathematics Methods helps students learn how to implement effective math instruction in'
  ➜ Title candidate: 'C381 - Elementary Mathematics Methods - Elementary Mathematics Methods helps students learn how to implement effective math instruction in'
  ❌ Invalid title line: 'C381 - Elementary Mathematics Methods - Elementary Mathematics Methods helps students learn how to implement effective math instruction in'
  ➜ Parsing at 5593: 'the elementary classroom. Topics include differentiated math instruction, mathematical communication, mathematical tools for instruction, assessing'

🔍 parse_program: starting at line 5593: 'the elementary classroom. Topics include differentiated math instruction, mathematical communication, mathematical tools for instruction, assessing'
  ➜ Title candidate: 'the elementary classroom. Topics include differentiated math instruction, mathematical communication, mathematical tools for instruction, assessing'
  ❌ Invalid title line: 'the elementary classroom. Topics include differentiated math instruction, mathematical communication, mathematical tools for instruction, assessing'
  ➜ Parsing at 5594: 'math understanding, integrating math across the curriculum, critical thinking development, standards based math instruction, and mathematical'

🔍 parse_program: starting at line 5594: 'math understanding, integrating math across the curriculum, critical thinking development, standards based math instruction, and mathematical'
  ➜ Title candidate: 'math understanding, integrating math across the curriculum, critical thinking development, standards based math instruction, and mathematical'
  ❌ Invalid title line: 'math understanding, integrating math across the curriculum, critical thinking development, standards based math instruction, and mathematical'
  ➜ Parsing at 5595: 'models and representation.'

🔍 parse_program: starting at line 5595: 'models and representation.'
  ➜ Title candidate: 'models and representation.'
  ❌ Invalid title line: 'models and representation.'
  ➜ Parsing at 5596: 'C382 - Elementary Science Methods - Elementary Science Methods helps students learn how to implement effective science instruction in the'

🔍 parse_program: starting at line 5596: 'C382 - Elementary Science Methods - Elementary Science Methods helps students learn how to implement effective science instruction in the'
  ➜ Title candidate: 'C382 - Elementary Science Methods - Elementary Science Methods helps students learn how to implement effective science instruction in the'
  ❌ Invalid title line: 'C382 - Elementary Science Methods - Elementary Science Methods helps students learn how to implement effective science instruction in the'
  ➜ Parsing at 5597: 'elementary classroom. Topics include processes of science, science inquiry, science learning environments, instructional strategies for science,'

🔍 parse_program: starting at line 5597: 'elementary classroom. Topics include processes of science, science inquiry, science learning environments, instructional strategies for science,'
  ➜ Title candidate: 'elementary classroom. Topics include processes of science, science inquiry, science learning environments, instructional strategies for science,'
  ❌ Invalid title line: 'elementary classroom. Topics include processes of science, science inquiry, science learning environments, instructional strategies for science,'
  ➜ Parsing at 5598: 'differentiated instruction for science, assessing science understanding, technology for science instruction, standards based science instruction,'

🔍 parse_program: starting at line 5598: 'differentiated instruction for science, assessing science understanding, technology for science instruction, standards based science instruction,'
  ➜ Title candidate: 'differentiated instruction for science, assessing science understanding, technology for science instruction, standards based science instruction,'
  ❌ Invalid title line: 'differentiated instruction for science, assessing science understanding, technology for science instruction, standards based science instruction,'
  ➜ Parsing at 5599: 'integrating science across curriculum, and science beyond the classroom.'

🔍 parse_program: starting at line 5599: 'integrating science across curriculum, and science beyond the classroom.'
  ➜ Title candidate: 'integrating science across curriculum, and science beyond the classroom.'
  ❌ Invalid title line: 'integrating science across curriculum, and science beyond the classroom.'
  ➜ Parsing at 5600: 'C388 - Science, Technology, and Society - Science, Technology, and Society explores the ways in which science influences and is influenced by'

🔍 parse_program: starting at line 5600: 'C388 - Science, Technology, and Society - Science, Technology, and Society explores the ways in which science influences and is influenced by'
  ➜ Title candidate: 'C388 - Science, Technology, and Society - Science, Technology, and Society explores the ways in which science influences and is influenced by'
  ❌ Invalid title line: 'C388 - Science, Technology, and Society - Science, Technology, and Society explores the ways in which science influences and is influenced by'
  ➜ Parsing at 5601: 'society and technology. A humanistic and social endeavor, science serves the needs of ever-changing societies by providing methods for observing,'

🔍 parse_program: starting at line 5601: 'society and technology. A humanistic and social endeavor, science serves the needs of ever-changing societies by providing methods for observing,'
  ➜ Title candidate: 'society and technology. A humanistic and social endeavor, science serves the needs of ever-changing societies by providing methods for observing,'
  ❌ Invalid title line: 'society and technology. A humanistic and social endeavor, science serves the needs of ever-changing societies by providing methods for observing,'
  ➜ Parsing at 5602: 'questioning, discovering, and communicating information about the physical and natural world. This course prepares educators to explain the nature'

🔍 parse_program: starting at line 5602: 'questioning, discovering, and communicating information about the physical and natural world. This course prepares educators to explain the nature'
  ➜ Title candidate: 'questioning, discovering, and communicating information about the physical and natural world. This course prepares educators to explain the nature'
  ❌ Invalid title line: 'questioning, discovering, and communicating information about the physical and natural world. This course prepares educators to explain the nature'
  ➜ Parsing at 5603: 'and history of science, the various applications of science, and the scientific and engineering processes used to conduct investigations, make'

🔍 parse_program: starting at line 5603: 'and history of science, the various applications of science, and the scientific and engineering processes used to conduct investigations, make'
  ➜ Title candidate: 'and history of science, the various applications of science, and the scientific and engineering processes used to conduct investigations, make'
  ❌ Invalid title line: 'and history of science, the various applications of science, and the scientific and engineering processes used to conduct investigations, make'
  ➜ Parsing at 5604: 'decisions, and solve problems. There are no prerequisites for this course.'

🔍 parse_program: starting at line 5604: 'decisions, and solve problems. There are no prerequisites for this course.'
  ➜ Title candidate: 'decisions, and solve problems. There are no prerequisites for this course.'
  ❌ Invalid title line: 'decisions, and solve problems. There are no prerequisites for this course.'
  ➜ Parsing at 5605: 'C389 - Science, Technology, and Society - Science, Technology, and Society explores the ways in which science influences and is influenced by'

🔍 parse_program: starting at line 5605: 'C389 - Science, Technology, and Society - Science, Technology, and Society explores the ways in which science influences and is influenced by'
  ➜ Title candidate: 'C389 - Science, Technology, and Society - Science, Technology, and Society explores the ways in which science influences and is influenced by'
  ❌ Invalid title line: 'C389 - Science, Technology, and Society - Science, Technology, and Society explores the ways in which science influences and is influenced by'
  ➜ Parsing at 5606: 'society and technology. A humanistic and social endeavor, science serves the needs of ever-changing societies by providing methods for observing,'

🔍 parse_program: starting at line 5606: 'society and technology. A humanistic and social endeavor, science serves the needs of ever-changing societies by providing methods for observing,'
  ➜ Title candidate: 'society and technology. A humanistic and social endeavor, science serves the needs of ever-changing societies by providing methods for observing,'
  ❌ Invalid title line: 'society and technology. A humanistic and social endeavor, science serves the needs of ever-changing societies by providing methods for observing,'
  ➜ Parsing at 5607: 'questioning, discovering, and communicating information about the physical and natural world. This course prepares educators to explain the nature'

🔍 parse_program: starting at line 5607: 'questioning, discovering, and communicating information about the physical and natural world. This course prepares educators to explain the nature'
  ➜ Title candidate: 'questioning, discovering, and communicating information about the physical and natural world. This course prepares educators to explain the nature'
  ❌ Invalid title line: 'questioning, discovering, and communicating information about the physical and natural world. This course prepares educators to explain the nature'
  ➜ Parsing at 5608: 'and history of science, the various applications of science, and the scientific and engineering processes used to conduct investigations, make'

🔍 parse_program: starting at line 5608: 'and history of science, the various applications of science, and the scientific and engineering processes used to conduct investigations, make'
  ➜ Title candidate: 'and history of science, the various applications of science, and the scientific and engineering processes used to conduct investigations, make'
  ❌ Invalid title line: 'and history of science, the various applications of science, and the scientific and engineering processes used to conduct investigations, make'
  ➜ Parsing at 5609: 'decisions, and solve problems. There are no prerequisites for this course.'

🔍 parse_program: starting at line 5609: 'decisions, and solve problems. There are no prerequisites for this course.'
  ➜ Title candidate: 'decisions, and solve problems. There are no prerequisites for this course.'
  ❌ Invalid title line: 'decisions, and solve problems. There are no prerequisites for this course.'
  ➜ Parsing at 5610: 'C393 - IT Foundations - IT Foundations is the first course in a two-part series preparatory for the CompTIA A+ exam, Part I. Students will gain an'

🔍 parse_program: starting at line 5610: 'C393 - IT Foundations - IT Foundations is the first course in a two-part series preparatory for the CompTIA A+ exam, Part I. Students will gain an'
  ➜ Title candidate: 'C393 - IT Foundations - IT Foundations is the first course in a two-part series preparatory for the CompTIA A+ exam, Part I. Students will gain an'
  ❌ Invalid title line: 'C393 - IT Foundations - IT Foundations is the first course in a two-part series preparatory for the CompTIA A+ exam, Part I. Students will gain an'
  ➜ Parsing at 5611: 'understanding of personal computer components and their functions in a desktop system, as well as computer data storage and retrieval; classifying,'

🔍 parse_program: starting at line 5611: 'understanding of personal computer components and their functions in a desktop system, as well as computer data storage and retrieval; classifying,'
  ➜ Title candidate: 'understanding of personal computer components and their functions in a desktop system, as well as computer data storage and retrieval; classifying,'
  ❌ Invalid title line: 'understanding of personal computer components and their functions in a desktop system, as well as computer data storage and retrieval; classifying,'
  ➜ Parsing at 5612: 'installing, configuring, optimizing, upgrading, and troubleshooting printers, laptops, portable devices, operating systems, networks, and system'

🔍 parse_program: starting at line 5612: 'installing, configuring, optimizing, upgrading, and troubleshooting printers, laptops, portable devices, operating systems, networks, and system'
  ➜ Title candidate: 'installing, configuring, optimizing, upgrading, and troubleshooting printers, laptops, portable devices, operating systems, networks, and system'
  ❌ Invalid title line: 'installing, configuring, optimizing, upgrading, and troubleshooting printers, laptops, portable devices, operating systems, networks, and system'
  ➜ Parsing at 5613: 'security; recommending appropriate tools, diagnostic procedures, preventative maintenance and troubleshooting techniques for personal computer'

🔍 parse_program: starting at line 5613: 'security; recommending appropriate tools, diagnostic procedures, preventative maintenance and troubleshooting techniques for personal computer'
  ➜ Title candidate: 'security; recommending appropriate tools, diagnostic procedures, preventative maintenance and troubleshooting techniques for personal computer'
  ❌ Invalid title line: 'security; recommending appropriate tools, diagnostic procedures, preventative maintenance and troubleshooting techniques for personal computer'
  ➜ Parsing at 5614: 'components in a desktop system; strategies for identifying, preventing, and reporting safety hazards and environmental/human accidents in a'

🔍 parse_program: starting at line 5614: 'components in a desktop system; strategies for identifying, preventing, and reporting safety hazards and environmental/human accidents in a'
  ➜ Title candidate: 'components in a desktop system; strategies for identifying, preventing, and reporting safety hazards and environmental/human accidents in a'
  ❌ Invalid title line: 'components in a desktop system; strategies for identifying, preventing, and reporting safety hazards and environmental/human accidents in a'
  ➜ Parsing at 5615: 'technological environments; and effective communication with colleagues and clients as well as job-related professional behavior.'

🔍 parse_program: starting at line 5615: 'technological environments; and effective communication with colleagues and clients as well as job-related professional behavior.'
  ➜ Title candidate: 'technological environments; and effective communication with colleagues and clients as well as job-related professional behavior.'
  ❌ Invalid title line: 'technological environments; and effective communication with colleagues and clients as well as job-related professional behavior.'
  ➜ Parsing at 5616: 'C394 - IT Applications - IT Applications is a continuation of the IT Foundations course preparatory for the CompTIA A+ exam, Part II.'

🔍 parse_program: starting at line 5616: 'C394 - IT Applications - IT Applications is a continuation of the IT Foundations course preparatory for the CompTIA A+ exam, Part II.'
  ➜ Title candidate: 'C394 - IT Applications - IT Applications is a continuation of the IT Foundations course preparatory for the CompTIA A+ exam, Part II.'
  ❌ Invalid title line: 'C394 - IT Applications - IT Applications is a continuation of the IT Foundations course preparatory for the CompTIA A+ exam, Part II.'
  ➜ Parsing at 5617: 'Students will gain an understanding of personal computer components and their functions in a desktop system. Also covered is computer data storage'

🔍 parse_program: starting at line 5617: 'Students will gain an understanding of personal computer components and their functions in a desktop system. Also covered is computer data storage'
  ➜ Title candidate: 'Students will gain an understanding of personal computer components and their functions in a desktop system. Also covered is computer data storage'
  ❌ Invalid title line: 'Students will gain an understanding of personal computer components and their functions in a desktop system. Also covered is computer data storage'
  ➜ Parsing at 5618: 'and retrieval, including classifying, installing, configuring, optimizing, upgrading, and troubleshooting printers, laptops, portable devices, operating'

🔍 parse_program: starting at line 5618: 'and retrieval, including classifying, installing, configuring, optimizing, upgrading, and troubleshooting printers, laptops, portable devices, operating'
  ➜ Title candidate: 'and retrieval, including classifying, installing, configuring, optimizing, upgrading, and troubleshooting printers, laptops, portable devices, operating'
  ❌ Invalid title line: 'and retrieval, including classifying, installing, configuring, optimizing, upgrading, and troubleshooting printers, laptops, portable devices, operating'
  ➜ Parsing at 5619: 'systems, networks, and system security. Other areas include recommending appropriate tools, diagnostic procedures, preventative maintenance and'

🔍 parse_program: starting at line 5619: 'systems, networks, and system security. Other areas include recommending appropriate tools, diagnostic procedures, preventative maintenance and'
  ➜ Title candidate: 'systems, networks, and system security. Other areas include recommending appropriate tools, diagnostic procedures, preventative maintenance and'
  ❌ Invalid title line: 'systems, networks, and system security. Other areas include recommending appropriate tools, diagnostic procedures, preventative maintenance and'
  ➜ Parsing at 5620: 'troubleshooting techniques for personal computer components in a desktop system. The course then finished with strategies for identifying,'

🔍 parse_program: starting at line 5620: 'troubleshooting techniques for personal computer components in a desktop system. The course then finished with strategies for identifying,'
  ➜ Title candidate: 'troubleshooting techniques for personal computer components in a desktop system. The course then finished with strategies for identifying,'
  ❌ Invalid title line: 'troubleshooting techniques for personal computer components in a desktop system. The course then finished with strategies for identifying,'
  ➜ Parsing at 5621: 'preventing, and reporting safety hazards and environmental/human accidents in a technological environments, and effective communication with'

🔍 parse_program: starting at line 5621: 'preventing, and reporting safety hazards and environmental/human accidents in a technological environments, and effective communication with'
  ➜ Title candidate: 'preventing, and reporting safety hazards and environmental/human accidents in a technological environments, and effective communication with'
  ❌ Invalid title line: 'preventing, and reporting safety hazards and environmental/human accidents in a technological environments, and effective communication with'
  ➜ Parsing at 5622: 'colleagues and clients as well as job-related professional behavior.'

🔍 parse_program: starting at line 5622: 'colleagues and clients as well as job-related professional behavior.'
  ➜ Title candidate: 'colleagues and clients as well as job-related professional behavior.'
  ❌ Invalid title line: 'colleagues and clients as well as job-related professional behavior.'
  ➜ Parsing at 5623: 'C395 - Instructional Planning and Presentation in English - Applications in Instructional Planning and Presentation in English, as a continuation of'

🔍 parse_program: starting at line 5623: 'C395 - Instructional Planning and Presentation in English - Applications in Instructional Planning and Presentation in English, as a continuation of'
  ➜ Title candidate: 'C395 - Instructional Planning and Presentation in English - Applications in Instructional Planning and Presentation in English, as a continuation of'
  ❌ Invalid title line: 'C395 - Instructional Planning and Presentation in English - Applications in Instructional Planning and Presentation in English, as a continuation of'
  ➜ Parsing at 5624: 'the Instructional Planning and Presentation course, helps students apply, analyze, and reflect on effective classroom instruction.'

🔍 parse_program: starting at line 5624: 'the Instructional Planning and Presentation course, helps students apply, analyze, and reflect on effective classroom instruction.'
  ➜ Title candidate: 'the Instructional Planning and Presentation course, helps students apply, analyze, and reflect on effective classroom instruction.'
  ❌ Invalid title line: 'the Instructional Planning and Presentation course, helps students apply, analyze, and reflect on effective classroom instruction.'
  ➜ Parsing at 5625: '© Western Governors University 7/19/17 156'

🔍 parse_program: starting at line 5625: '© Western Governors University 7/19/17 156'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'C396 - English Pedagogy - English Pedagogy examines pedagogical applications for the teaching of reading, literature, composition, and related'
  ➜ Skipping stray line: 'English Language Arts (ELA) content and skills for middle and secondary schools. Focused on fostering and developing pedagogical content'
  ➜ Skipping stray line: 'knowledge in the aforementioned areas, students will analyze assessment strategies and incorporate methods of literacy instruction into their'
  ➜ Skipping stray line: 'instructional planning to meet the needs of diverse learners. This course helps students prepare and develop skills for classroom practice, lesson'
  ➜ Skipping stray line: 'planning, and working in school settings. C397 Preclinical Experiences in English is a prerequisite.'
  ➜ Skipping stray line: 'C397 - Preclinical Experiences in English - Preclinical Experiences in English provides students the opportunity to observe and participate in a wide'
  ➜ Skipping stray line: 'range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will reflect on'
  ➜ Skipping stray line: 'and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required to meet'
  ➜ Skipping stray line: 'several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C398 - Supervised Demonstration Teaching in English, Observations 1 and 2 - Supervised Demonstration Teaching in English involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C399 - Supervised Demonstration Teaching in English, Observation 3 and Midterm - Supervised Demonstration Teaching in English involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C400 - Supervised Demonstration Teaching in English, Observations 4 and 5 - Supervised Demonstration Teaching in English involves a series'
  ➜ Skipping stray line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Skipping stray line: 'candidate’s skills.'
  ➜ Skipping stray line: 'C401 - Supervised Demonstration Teaching in English, Observation 6 and Final - Supervised Demonstration Teaching in English involves a'
  ➜ Skipping stray line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Skipping stray line: 'teacher candidate’s skills.'
  ➜ Skipping stray line: 'C405 - Anatomy and Physiology II - This course introduces advanced concepts of human anatomy and physiology, through the investigation of the'
  ➜ Skipping stray line: 'structures and functions of the body's organ systems. Students will have the opportunity to explore the body through laboratory experience and apply'
  ➜ Skipping stray line: 'the concepts covered in this course. For nursing students this is the second of two anatomy and physiology courses within the program of study.'
  ➜ Skipping stray line: 'C410 - Collaborative Leadership Project - The purpose of this course is to practice applying collaborative leadership skills in an innovative'
  ➜ Skipping stray line: 'environment while engaging with a community. You will combine innovation with leadership to serve patients. You will also identify an innovation'
  ➜ Skipping stray line: 'process that will serve the Navajo Area Indian Health Services (NAIHS) facility in the Navajo Nation. The main task will be to collaborate with'
  ➜ Skipping stray line: 'stakeholders on the proposed process to address obesity.'
  ➜ Skipping stray line: 'C417 - Analytical Methods of Healthcare Professionals - This course explores the significance of research and statistics in care management. You'
  ➜ Skipping stray line: 'will start by examining the role of evidence-based decisions in care management and how to evaluate the quality of research used to make those'
  ➜ Skipping stray line: 'decisions. You will examine the role of statistics in making evidence-based decisions about care management. Finally, you will learn how statistics are'
  ➜ Skipping stray line: 'used in healthcare and how to test the validity of statistics in order to make informed care management decisions.'
  ➜ Skipping stray line: 'C421 - Health Information Technology Project - A medical group has decided to move forward with the organizational initiative of reducing health'
  ➜ Skipping stray line: 'disparities, increasing access, and improving outcomes by leading a cooperative of local healthcare organizations in a Community Health Information'
  ➜ Skipping stray line: 'Exchange System (CHIES) expansion plan founded on the governor’s vision to advance HIEs. You will complete an assessment of a CHIE, propose'
  ➜ Skipping stray line: 'an updated Electronic Health Records System (EHRS), and complete a CHIE feasibility assessment.'
  ➜ Skipping stray line: 'C423 - Challenges in Community Health Project - Community-based integrated healthcare requires skills in communication, management, and'
  ➜ Skipping stray line: 'resource utilization among healthcare personnel, healthcare organizations, and community and state entities. You will apply appropriate actions and'
  ➜ Skipping stray line: 'strategies consistent with the organizational mission, values, and needs in interactions with community leaders and members of the community. You'
  ➜ Skipping stray line: 'will learn and demonstrate utilization of communication and collaboration skills and the evaluation and application of data in problem-solving skills at'
  ➜ Skipping stray line: 'both the organizational and community level.'
  ➜ Skipping stray line: 'C424 - Integrated Healthcare Project - You will develop and present a comprehensive case study and business plan that proposes an integrated'
  ➜ Skipping stray line: 'system that includes, at a minimum, a health plan, hospitals, skilled nursing homes, and home health organizations to meet the rising health demands'
  ➜ Skipping stray line: 'of the baby-boomer population. You will choose an area of the U.S. with existing healthcare organizations, and present a model of an “open delivery'
  ➜ Skipping stray line: 'system” that serves as a financial hedge, enables experimentation, integrates culture (patient population demographics and regional healthcare'
  ➜ Skipping stray line: 'values and principles), incentives wellness and preventative care), and is value-based and consumer driven.'
  ➜ Skipping stray line: 'C425 - Healthcare Delivery Systems, Regulation, and Compliance - This course provides an overview of the U.S. healthcare system and focuses'
  ➜ Skipping stray line: 'on developing an understanding of the various sectors and roles involved in this complex industry. Policy and compliance issues are also addressed to'
  ➜ Skipping stray line: 'facilitate an appreciation for the highly regulated nature of healthcare delivery.'
  ➜ Skipping stray line: 'C426 - Healthcare Values and Ethics - This course explores ethical standards and considerations common to the healthcare environment such as'
  ➜ Skipping stray line: 'access to care, confidentiality, the allocation of limited resources, and billing practices. This course also focuses on the distinct value system'
  ➜ Skipping stray line: 'associated with the healthcare industry, as well as the values of professionalism.'
  ➜ Skipping stray line: 'C427 - Technology Applications in Healthcare - This course explores how technology continues to change and influence the healthcare industry.'
  ➜ Skipping stray line: 'Practical managerial applications are explored as well as the legal, ethical, and practical aspects of access to health and disease information.'
  ➜ Skipping stray line: 'Ensuring the protection of private health information is also emphasized.'
  ➜ Skipping stray line: 'C428 - Financial Resource Management in Healthcare - This course examines the financial environment of the healthcare industry including'
  ➜ Skipping stray line: 'principles involved in managed care. It also explores the revenue and expense structures for different sectors within the industry while emphasizing'
  ➜ Skipping stray line: 'funding and reimbursement practices of healthcare.'
  ➜ Skipping stray line: 'C429 - Healthcare Operations Management - This course builds upon basic principles of management, organizational behavior, and leadership.'
  ➜ Skipping stray line: 'Specific processes and business principles for managing operations in interdependent and multi-disciplinary healthcare organizations are explored.'
  ➜ Skipping stray line: 'Marketing strategies, communication skills, and the ability to establish and maintain relationships while ensuring productivity that is efficient, safe, and'
  ➜ Skipping stray line: 'meets the needs of all stakeholders is emphasized.'
  ➜ Skipping stray line: 'C430 - Healthcare Quality Improvement and Risk Management - This course emphasizes principles of quality management and risk management'
  ➜ Skipping stray line: 'in order to ensure safety, maximize patient outcomes, and continuously improve organizational outcomes. This course also examines the broader'
  ➜ Skipping stray line: 'impact of organizational culture and its influence on productivity, quality, and risk.'
  ➜ Skipping stray line: 'C431 - Healthcare Research and Statistics - This course builds upon an understanding of research methods and quantitative analysis. Concepts of'
  ➜ Skipping stray line: 'population health, epidemiology, and evidence-based practices provide the foundation for understanding the importance of data for informing'
  ➜ Skipping stray line: 'healthcare organizational decisions.'
  ➜ Skipping stray line: 'C432 - Healthcare Management and Strategy - This course builds upon basic principles of strategic management and explores healthcare'
  ➜ Skipping stray line: 'organizational structures and processes. The importance of the collaborative nature and interrelationships among business functions is emphasized.'
  ➜ Skipping stray line: 'Creating a healthcare vision and designing business plans within a healthcare environment is also examined.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 157'
  ➜ Skipping stray line: 'C433 - Integrated Healthcare Management Capstone Project - The capstone project is a student-designed project intended to illustrate your ability'
  ➜ Skipping stray line: 'to effect change in the industry and demonstrate competence in all five core competencies of the curriculum. You are required to collaborate with'
  ➜ Skipping stray line: 'leaders in the healthcare industry to identify opportunities for improvement in healthcare, propose a solution, and perform a business analysis to'
  ➜ Skipping stray line: 'evaluate its feasibility. In addition, the capstone project encourages work in the healthcare industry that will be showcased in your collection of work'
  ➜ Skipping stray line: 'and help solidify professional relationships in the industry.'
  ➜ Skipping stray line: 'C439 - Healthcare Management Capstone - This course is the culminating experience and assessment of healthcare business administration. This'
  ➜ Skipping stray line: 'course requires the student to integrate and synthesize managerial skills with healthcare knowledge, resulting in a high quality final project that'
  ➜ Skipping stray line: 'demonstrates professional managerial proficiency.'
  ➜ Skipping stray line: 'C451 - Integrated Natural Science - Integrated Natural Sciences explores the natural world through an integrated perspective and helps students'
  ➜ Skipping stray line: 'begin to see and draw numerous connections among events in the natural world. Topics include the universe, the Earth, ecosystems and organisms.'
  ➜ Skipping stray line: 'C452 - Integrated Natural Science Applications - Integrated Natural Sciences Applications explores the natural world through an integrated'
  ➜ Skipping stray line: 'perspective and helps students apply scientific concepts and methodologies to the examination of natural science fundamentals.'
  ➜ Skipping stray line: 'C453 - Clinical Microbiology - Clinical Microbiology introduces general concepts, methods, and applications of microbiology from a health sciences'
  ➜ Skipping stray line: 'perspective. The course is designed to provide healthcare professionals with a basic understanding of how various diseases are transmitted and'
  ➜ Skipping stray line: 'controlled. Students will examine the structure and function of microorganisms, including the roles that they play in causing major diseases. The'
  ➜ Skipping stray line: 'course also explores immunological, pathological and epidemiological factors associated with disease. To assist students in developing an applied,'
  ➜ Skipping stray line: 'patient-focused understanding of microbiology, this course is complimented by several lab experiments which allow students to: practice aseptic'
  ➜ Skipping stray line: 'techniques, grow bacteria and fungi, identify characteristics of bacteria and yeast based on biochemical and environmental tests, determine antibiotic'
  ➜ Skipping stray line: 'susceptibility, discover the microorganisms growing on objects and surfaces, and determine the Gram characteristic of bacteria. This course has no'
  ➜ Skipping stray line: 'pre-requisites.'
  ➜ Skipping stray line: 'C455 - English Composition I - English Composition I introduces learners to the types of writing and thinking that are valued in college and beyond.'
  ➜ Skipping stray line: 'Students will practice writing in several genres with emphasis placed on writing and revising academic arguments. Instruction and exercises in'
  ➜ Skipping stray line: 'grammar, mechanics, research documentation, and style are paired with each module so that writers can practice these skills as necessary.'
  ➜ Skipping stray line: 'Comp I is a foundational course designed to help students prepare for success at the college level.'
  ➜ Skipping stray line: 'There are no prerequisites for English Composition I.'
  ➜ Skipping stray line: 'C456 - English Composition II - English Composition II introduces undergraduate students to research writing. It is a foundational course designed to'
  ➜ Skipping stray line: 'help students prepare for advanced writing within the discipline and to complete the capstone. Specifically, this course will help students develop or'
  ➜ Skipping stray line: 'improve research, reference citation, document organization, and writing skills. English Composition I or equivalent is a prerequisite for this course.'
  ➜ Skipping stray line: 'C457 - Foundations of College Mathematics - Foundations of College Mathematics addresses the sequence of learning activities necessary to build'
  ➜ Skipping stray line: 'competence in foundational concepts of College Mathematics, which include whole numbers, fractions, decimals, ratios, proportions and percents,'
  ➜ Skipping stray line: 'geometry, statistics, the real number system, equations, inequalities, applications, and graphs of linear equations.'
  ➜ Skipping stray line: 'C458 - Health, Fitness and Wellness - Health, Fitness and Wellness focuses on the importance and foundations of good health and physical fitness,'
  ➜ Skipping stray line: 'particularly for children and adolescents, addressing health, nutrition, fitness, and substance use and abuse.'
  ➜ Skipping stray line: 'C459 - Introduction to Probability and Statistics - In this course, students demonstrate competency in the basic concepts, logic, and issues'
  ➜ Skipping stray line: 'involved in statistical reasoning. Topics include summarizing and analyzing data, sampling and study design, and probability.'
  ➜ Skipping stray line: 'C460 - Mathematics for Elementary Educators I - Mathematics for Elementary Educators I engages pre-service elementary teachers in'
  ➜ Skipping stray line: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in problem solving, set theory,'
  ➜ Skipping stray line: 'number theory, whole numbers and integers. This is the first course in a three-course sequence.'
  ➜ Skipping stray line: 'C461 - Mathematics for Elementary Educators II - This course engages pre-service elementary teachers in mathematical practices based on deep'
  ➜ Skipping stray line: 'understanding of underlying concepts. This course takes the arithmetic of the first course and generalizes it into algebraic reasoning. The course also'
  ➜ Skipping stray line: 'touches on important topics in probability. This is the second course in a three-course sequence.'
  ➜ Skipping stray line: 'C462 - Mathematics for Elementary Educators III - Mathematics for Elementary Educators III engages pre-service elementary teachers in'
  ➜ Skipping stray line: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in statistics, measurement, and'
  ➜ Skipping stray line: 'covers geometry from synthetic, transformational, and coordinate perspectives. This is the third course in a three-course sequence.'
  ➜ Skipping stray line: 'C463 - Intermediate Algebra - This course provides an introduction of algebraic concepts and the development of the essential groundwork for'
  ➜ Skipping stray line: 'College Algebra. Topics include: A review of basic mathematical skills, the real number system, algebraic expressions, linear equations, graphing,'
  ➜ Skipping stray line: 'exponents and polynomials'
  ➜ Skipping stray line: 'C464 - Introduction to Communication - This introductory communication course allows students to become familiar with the fundamental'
  ➜ Skipping stray line: 'communication theories and practices necessary to engage in healthy professional and personal relationships. Students will survey human'
  ➜ Skipping stray line: 'communication on multiple levels and critically apply the theoretical grounding of the course to interpersonal, intercultural, small group, and public'
  ➜ Skipping stray line: 'presentational contexts. The course also encourages students to consider the influence of language, perception, culture, and media on their daily'
  ➜ Skipping stray line: 'communicative interactions. In addition to theory, students will engage in the application of effective communication skills through systematically'
  ➜ Skipping stray line: 'preparing and delivering an oral presentation. By practicing these fundamental skills in human communication, students become more competent'
  ➜ Skipping stray line: 'communicators as they develop more flexible, useful, and discriminatory communicative practices in a variety of contexts.'
  ➜ Skipping stray line: 'C465 - Care of the Developing Family - .'
  ➜ Skipping stray line: 'C466 - Medication Dosage Calculations - In Medication Dosage Calculations, students learn about individualized drug dosing concepts, including:'
  ➜ Skipping stray line: 'different measurement systems, solid and liquid medications, calculating dosages based on body weight or body surface area, interpreting drug labels'
  ➜ Skipping stray line: 'and abbreviations, and common medication errors.'
  ➜ Skipping stray line: 'C467 - Pharmacology - Pharmacology covers concepts in pharmacology including drug classification and effects, the role of the nurse in drug'
  ➜ Skipping stray line: 'therapy, preparation and administration of drugs, and ethical and legal issues surrounding medication administration. The Institute of Medicine reports'
  ➜ Skipping stray line: 'that cited medication errors as the most common medical errors, costing billions of dollars and harming up to 1.5 million people every year. Medication'
  ➜ Skipping stray line: 'errors are often the result of nurses failing to follow proper procedures. The pharmacology course covers the following concepts: the nursing process'
  ➜ Skipping stray line: 'in relation to drug therapy; the role of pharmacological principles in nursing; the role of the nurse in pharmacy and lifespan considerations; cultural,'
  ➜ Skipping stray line: 'ethical, and legal considerations; education and substance abuse; and gene therapy and pharmacology. This course introduces the nursing student to'
  ➜ Skipping stray line: 'these concepts and continues to integrate pharmacology throughout the clinical courses within the program.'
  ➜ Skipping stray line: 'C468 - Information Management and the Application of Technology - Information Management and the Application of Technology helps the'
  ➜ Skipping stray line: 'student learn how to identify and implement the unique responsibilities of nurses related to the application of technology and the management of'
  ➜ Skipping stray line: 'patient information. This includes: understanding the evolving role of nurse informaticists; demonstrating the skills needed to use electronic health'
  ➜ Skipping stray line: 'records; identifying nurse-sensitive outcomes that lead to quality improvement measures; supporting the contributions of nurses to patient care;'
  ➜ Skipping stray line: 'examining workflow changes related to the implementation of computerized management systems; and learning to analyze the implications of new'
  ➜ Skipping stray line: 'technology on security, practice, and research.'
  ➜ Skipping stray line: 'C469 - Caring Arts and Science Across the Lifespan Part I - Caring Arts and Science Across the Lifespan Part I introduces nursing fundamentals'
  ➜ Skipping stray line: 'which speak to the core of all nursing care by assessing the needs of patients with compassion and respect; advocating for patients and their families;'
  ➜ Skipping stray line: 'providing education and comfort; and integrating patient needs into a plan of care that embraces individuality, diversity, and belief. Students continue'
  ➜ Skipping stray line: 'to learn about fundamental nursing skills within their didactic environment and will be provided time to practice in a learning lab environment.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 158'
  ➜ Skipping stray line: 'C470 - Caring Arts and Science Across the Lifespan Part I Clinical Learning - This course includes all aspects of clinical learning related to the'
  ➜ Skipping stray line: 'fundamentals of nursing practice. Learning labs will teach and assess task skill knowledge including physical assessment, safe medication'
  ➜ Skipping stray line: 'administration, oxygenation; nutrition, metabolism, & elimination; skin integrity, activity, & mobility; and cognition. Students who are successful in lab'
  ➜ Skipping stray line: 'assessments will progress to live patient clinicals and will be assessed for their mastery of basic levels of the key behaviors for clinical practice of a'
  ➜ Skipping stray line: 'novice nursing student.'
  ➜ Skipping stray line: 'C471 - Caring Arts and Science Across the Lifespan Part II - Caring Arts and Science Across the Lifespan Part II topics include management of'
  ➜ Skipping stray line: 'the perioperative care continuum; patient centered care of the adult; care of the adult with alterations in circulation; car of the adult with alterations in'
  ➜ Skipping stray line: 'cardiovascular function; care of the adult with alterations in oxygenation; care of the adult with alterations in neurosensory function; fundamental'
  ➜ Skipping stray line: 'patient self-determination & advocacy; and end-of-life care. This course incorporates virtual simulations into the didactic course to help students'
  ➜ Skipping stray line: 'prepare for their learning labs and clinical learning experience. Patient scenarios for the virtual simulations include: fluid & electrolyte imbalance; blood'
  ➜ Skipping stray line: 'transfusion reaction; severe reaction to antibiotic; pulmonary embolism; and postoperative complications with a fracture.'
  ➜ Skipping stray line: 'C472 - Caring Arts and Science Across the Lifespan Part II Clinical Learning - The clinical learning course for CASAL II includes all aspects of'
  ➜ Skipping stray line: 'clinical learning related to medical surgical nursing practice. Learning labs will teach and assess task skill knowledge progressing to high fidelity'
  ➜ Skipping stray line: 'simulation scenarios to develop mastery of situated use of knowledge and synthesis of knowledge in clinical scenarios that focus on perioperative'
  ➜ Skipping stray line: 'care. The virtual simulations that students completed in didactic will prepare them for their learning lab scenarios. Students who are successful in lab'
  ➜ Skipping stray line: 'assessments will progress to live patient clinicals and will be assessed for their mastery of basic levels of the key behaviors for clinical practice of'
  ➜ Skipping stray line: 'Medical Surgical nursing.'
  ➜ Skipping stray line: 'C473 - Care of Adults with Complex Illnesses - The Care of Adults with Complex Illnesses course builds on prior knowledge of medical surgical'
  ➜ Skipping stray line: 'nursing care and common conditions, focusing on diseases and conditions that affect the neuromuscular system, the musculoskeletal system, the'
  ➜ Skipping stray line: 'kidneys, the pancreas, and diseases such as cancer and impaired immunity, which affect every part of the body. Students will develop mastery of'
  ➜ Skipping stray line: 'competencies related to advanced medical surgical nursing practice. This course also utilizes virtual simulation scenarios to help students prepare for'
  ➜ Skipping stray line: 'their learning labs and their clinical intensives. Students work through the following patient scenarios: diabetes/hypoglycemia; postop abdominal'
  ➜ Skipping stray line: 'hysterectomy/opioid intoxication; acute severe asthma; acute myocardial infarction; and respiratory system disease.'
  ➜ Skipping stray line: 'C474 - Clinical Learning for Complex Illnesses in Adults - Clinical Care of Adults with Complex Illnesses includes all aspects of clinical learning'
  ➜ Skipping stray line: 'related to advanced medical surgical nursing practice. Learning labs will teach and assess advanced clinical competencies through the use of high'
  ➜ Skipping stray line: 'fidelity simulation and advanced clinical debriefing for clinical scenarios. Students participate in skills related to advance medication administration,'
  ➜ Skipping stray line: 'central venous devices, and peripherally inserted central catheters. The virtual simulations that students completed in didactic will prepare them for'
  ➜ Skipping stray line: 'their learning lab scenarios. Students who are successful in simulation assessments will progress to live patient clinicals and will be assessed for their'
  ➜ Title candidate: 'mastery of advanced levels of the key behaviors for clinical practice of Medical Surgical nursing.'
  ✔️ Collected description (1790 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 5626: 'C396 - English Pedagogy - English Pedagogy examines pedagogical applications for the teaching of reading, literature, composition, and related'

🔍 parse_program: starting at line 5626: 'C396 - English Pedagogy - English Pedagogy examines pedagogical applications for the teaching of reading, literature, composition, and related'
  ➜ Title candidate: 'C396 - English Pedagogy - English Pedagogy examines pedagogical applications for the teaching of reading, literature, composition, and related'
  ❌ Invalid title line: 'C396 - English Pedagogy - English Pedagogy examines pedagogical applications for the teaching of reading, literature, composition, and related'
  ➜ Parsing at 5627: 'English Language Arts (ELA) content and skills for middle and secondary schools. Focused on fostering and developing pedagogical content'

🔍 parse_program: starting at line 5627: 'English Language Arts (ELA) content and skills for middle and secondary schools. Focused on fostering and developing pedagogical content'
  ➜ Title candidate: 'English Language Arts (ELA) content and skills for middle and secondary schools. Focused on fostering and developing pedagogical content'
  ❌ Invalid title line: 'English Language Arts (ELA) content and skills for middle and secondary schools. Focused on fostering and developing pedagogical content'
  ➜ Parsing at 5628: 'knowledge in the aforementioned areas, students will analyze assessment strategies and incorporate methods of literacy instruction into their'

🔍 parse_program: starting at line 5628: 'knowledge in the aforementioned areas, students will analyze assessment strategies and incorporate methods of literacy instruction into their'
  ➜ Title candidate: 'knowledge in the aforementioned areas, students will analyze assessment strategies and incorporate methods of literacy instruction into their'
  ❌ Invalid title line: 'knowledge in the aforementioned areas, students will analyze assessment strategies and incorporate methods of literacy instruction into their'
  ➜ Parsing at 5629: 'instructional planning to meet the needs of diverse learners. This course helps students prepare and develop skills for classroom practice, lesson'

🔍 parse_program: starting at line 5629: 'instructional planning to meet the needs of diverse learners. This course helps students prepare and develop skills for classroom practice, lesson'
  ➜ Title candidate: 'instructional planning to meet the needs of diverse learners. This course helps students prepare and develop skills for classroom practice, lesson'
  ❌ Invalid title line: 'instructional planning to meet the needs of diverse learners. This course helps students prepare and develop skills for classroom practice, lesson'
  ➜ Parsing at 5630: 'planning, and working in school settings. C397 Preclinical Experiences in English is a prerequisite.'

🔍 parse_program: starting at line 5630: 'planning, and working in school settings. C397 Preclinical Experiences in English is a prerequisite.'
  ➜ Title candidate: 'planning, and working in school settings. C397 Preclinical Experiences in English is a prerequisite.'
  ❌ Invalid title line: 'planning, and working in school settings. C397 Preclinical Experiences in English is a prerequisite.'
  ➜ Parsing at 5631: 'C397 - Preclinical Experiences in English - Preclinical Experiences in English provides students the opportunity to observe and participate in a wide'

🔍 parse_program: starting at line 5631: 'C397 - Preclinical Experiences in English - Preclinical Experiences in English provides students the opportunity to observe and participate in a wide'
  ➜ Title candidate: 'C397 - Preclinical Experiences in English - Preclinical Experiences in English provides students the opportunity to observe and participate in a wide'
  ❌ Invalid title line: 'C397 - Preclinical Experiences in English - Preclinical Experiences in English provides students the opportunity to observe and participate in a wide'
  ➜ Parsing at 5632: 'range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will reflect on'

🔍 parse_program: starting at line 5632: 'range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will reflect on'
  ➜ Title candidate: 'range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will reflect on'
  ❌ Invalid title line: 'range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will reflect on'
  ➜ Parsing at 5633: 'and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required to meet'

🔍 parse_program: starting at line 5633: 'and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required to meet'
  ➜ Title candidate: 'and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required to meet'
  ❌ Invalid title line: 'and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required to meet'
  ➜ Parsing at 5634: 'several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed resume.'

🔍 parse_program: starting at line 5634: 'several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed resume.'
  ➜ Title candidate: 'several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed resume.'
  ❌ Invalid title line: 'several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed resume.'
  ➜ Parsing at 5635: 'C398 - Supervised Demonstration Teaching in English, Observations 1 and 2 - Supervised Demonstration Teaching in English involves a series'

🔍 parse_program: starting at line 5635: 'C398 - Supervised Demonstration Teaching in English, Observations 1 and 2 - Supervised Demonstration Teaching in English involves a series'
  ➜ Title candidate: 'C398 - Supervised Demonstration Teaching in English, Observations 1 and 2 - Supervised Demonstration Teaching in English involves a series'
  ❌ Invalid title line: 'C398 - Supervised Demonstration Teaching in English, Observations 1 and 2 - Supervised Demonstration Teaching in English involves a series'
  ➜ Parsing at 5636: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'

🔍 parse_program: starting at line 5636: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Title candidate: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ❌ Invalid title line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Parsing at 5637: 'candidate’s skills.'

🔍 parse_program: starting at line 5637: 'candidate’s skills.'
  ➜ Title candidate: 'candidate’s skills.'
  ❌ Invalid title line: 'candidate’s skills.'
  ➜ Parsing at 5638: 'C399 - Supervised Demonstration Teaching in English, Observation 3 and Midterm - Supervised Demonstration Teaching in English involves a'

🔍 parse_program: starting at line 5638: 'C399 - Supervised Demonstration Teaching in English, Observation 3 and Midterm - Supervised Demonstration Teaching in English involves a'
  ➜ Title candidate: 'C399 - Supervised Demonstration Teaching in English, Observation 3 and Midterm - Supervised Demonstration Teaching in English involves a'
  ❌ Invalid title line: 'C399 - Supervised Demonstration Teaching in English, Observation 3 and Midterm - Supervised Demonstration Teaching in English involves a'
  ➜ Parsing at 5639: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'

🔍 parse_program: starting at line 5639: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Title candidate: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ❌ Invalid title line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Parsing at 5640: 'teacher candidate’s skills.'

🔍 parse_program: starting at line 5640: 'teacher candidate’s skills.'
  ➜ Title candidate: 'teacher candidate’s skills.'
  ❌ Invalid title line: 'teacher candidate’s skills.'
  ➜ Parsing at 5641: 'C400 - Supervised Demonstration Teaching in English, Observations 4 and 5 - Supervised Demonstration Teaching in English involves a series'

🔍 parse_program: starting at line 5641: 'C400 - Supervised Demonstration Teaching in English, Observations 4 and 5 - Supervised Demonstration Teaching in English involves a series'
  ➜ Title candidate: 'C400 - Supervised Demonstration Teaching in English, Observations 4 and 5 - Supervised Demonstration Teaching in English involves a series'
  ❌ Invalid title line: 'C400 - Supervised Demonstration Teaching in English, Observations 4 and 5 - Supervised Demonstration Teaching in English involves a series'
  ➜ Parsing at 5642: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'

🔍 parse_program: starting at line 5642: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Title candidate: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ❌ Invalid title line: 'of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the teacher'
  ➜ Parsing at 5643: 'candidate’s skills.'

🔍 parse_program: starting at line 5643: 'candidate’s skills.'
  ➜ Title candidate: 'candidate’s skills.'
  ❌ Invalid title line: 'candidate’s skills.'
  ➜ Parsing at 5644: 'C401 - Supervised Demonstration Teaching in English, Observation 6 and Final - Supervised Demonstration Teaching in English involves a'

🔍 parse_program: starting at line 5644: 'C401 - Supervised Demonstration Teaching in English, Observation 6 and Final - Supervised Demonstration Teaching in English involves a'
  ➜ Title candidate: 'C401 - Supervised Demonstration Teaching in English, Observation 6 and Final - Supervised Demonstration Teaching in English involves a'
  ❌ Invalid title line: 'C401 - Supervised Demonstration Teaching in English, Observation 6 and Final - Supervised Demonstration Teaching in English involves a'
  ➜ Parsing at 5645: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'

🔍 parse_program: starting at line 5645: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Title candidate: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ❌ Invalid title line: 'series of classroom performance observations by the host teacher and clinical supervisor that develop comprehensive performance data about the'
  ➜ Parsing at 5646: 'teacher candidate’s skills.'

🔍 parse_program: starting at line 5646: 'teacher candidate’s skills.'
  ➜ Title candidate: 'teacher candidate’s skills.'
  ❌ Invalid title line: 'teacher candidate’s skills.'
  ➜ Parsing at 5647: 'C405 - Anatomy and Physiology II - This course introduces advanced concepts of human anatomy and physiology, through the investigation of the'

🔍 parse_program: starting at line 5647: 'C405 - Anatomy and Physiology II - This course introduces advanced concepts of human anatomy and physiology, through the investigation of the'
  ➜ Title candidate: 'C405 - Anatomy and Physiology II - This course introduces advanced concepts of human anatomy and physiology, through the investigation of the'
  ❌ Invalid title line: 'C405 - Anatomy and Physiology II - This course introduces advanced concepts of human anatomy and physiology, through the investigation of the'
  ➜ Parsing at 5648: 'structures and functions of the body's organ systems. Students will have the opportunity to explore the body through laboratory experience and apply'

🔍 parse_program: starting at line 5648: 'structures and functions of the body's organ systems. Students will have the opportunity to explore the body through laboratory experience and apply'
  ➜ Title candidate: 'structures and functions of the body's organ systems. Students will have the opportunity to explore the body through laboratory experience and apply'
  ❌ Invalid title line: 'structures and functions of the body's organ systems. Students will have the opportunity to explore the body through laboratory experience and apply'
  ➜ Parsing at 5649: 'the concepts covered in this course. For nursing students this is the second of two anatomy and physiology courses within the program of study.'

🔍 parse_program: starting at line 5649: 'the concepts covered in this course. For nursing students this is the second of two anatomy and physiology courses within the program of study.'
  ➜ Title candidate: 'the concepts covered in this course. For nursing students this is the second of two anatomy and physiology courses within the program of study.'
  ❌ Invalid title line: 'the concepts covered in this course. For nursing students this is the second of two anatomy and physiology courses within the program of study.'
  ➜ Parsing at 5650: 'C410 - Collaborative Leadership Project - The purpose of this course is to practice applying collaborative leadership skills in an innovative'

🔍 parse_program: starting at line 5650: 'C410 - Collaborative Leadership Project - The purpose of this course is to practice applying collaborative leadership skills in an innovative'
  ➜ Title candidate: 'C410 - Collaborative Leadership Project - The purpose of this course is to practice applying collaborative leadership skills in an innovative'
  ❌ Invalid title line: 'C410 - Collaborative Leadership Project - The purpose of this course is to practice applying collaborative leadership skills in an innovative'
  ➜ Parsing at 5651: 'environment while engaging with a community. You will combine innovation with leadership to serve patients. You will also identify an innovation'

🔍 parse_program: starting at line 5651: 'environment while engaging with a community. You will combine innovation with leadership to serve patients. You will also identify an innovation'
  ➜ Title candidate: 'environment while engaging with a community. You will combine innovation with leadership to serve patients. You will also identify an innovation'
  ❌ Invalid title line: 'environment while engaging with a community. You will combine innovation with leadership to serve patients. You will also identify an innovation'
  ➜ Parsing at 5652: 'process that will serve the Navajo Area Indian Health Services (NAIHS) facility in the Navajo Nation. The main task will be to collaborate with'

🔍 parse_program: starting at line 5652: 'process that will serve the Navajo Area Indian Health Services (NAIHS) facility in the Navajo Nation. The main task will be to collaborate with'
  ➜ Title candidate: 'process that will serve the Navajo Area Indian Health Services (NAIHS) facility in the Navajo Nation. The main task will be to collaborate with'
  ❌ Invalid title line: 'process that will serve the Navajo Area Indian Health Services (NAIHS) facility in the Navajo Nation. The main task will be to collaborate with'
  ➜ Parsing at 5653: 'stakeholders on the proposed process to address obesity.'

🔍 parse_program: starting at line 5653: 'stakeholders on the proposed process to address obesity.'
  ➜ Title candidate: 'stakeholders on the proposed process to address obesity.'
  ❌ Invalid title line: 'stakeholders on the proposed process to address obesity.'
  ➜ Parsing at 5654: 'C417 - Analytical Methods of Healthcare Professionals - This course explores the significance of research and statistics in care management. You'

🔍 parse_program: starting at line 5654: 'C417 - Analytical Methods of Healthcare Professionals - This course explores the significance of research and statistics in care management. You'
  ➜ Title candidate: 'C417 - Analytical Methods of Healthcare Professionals - This course explores the significance of research and statistics in care management. You'
  ❌ Invalid title line: 'C417 - Analytical Methods of Healthcare Professionals - This course explores the significance of research and statistics in care management. You'
  ➜ Parsing at 5655: 'will start by examining the role of evidence-based decisions in care management and how to evaluate the quality of research used to make those'

🔍 parse_program: starting at line 5655: 'will start by examining the role of evidence-based decisions in care management and how to evaluate the quality of research used to make those'
  ➜ Title candidate: 'will start by examining the role of evidence-based decisions in care management and how to evaluate the quality of research used to make those'
  ❌ Invalid title line: 'will start by examining the role of evidence-based decisions in care management and how to evaluate the quality of research used to make those'
  ➜ Parsing at 5656: 'decisions. You will examine the role of statistics in making evidence-based decisions about care management. Finally, you will learn how statistics are'

🔍 parse_program: starting at line 5656: 'decisions. You will examine the role of statistics in making evidence-based decisions about care management. Finally, you will learn how statistics are'
  ➜ Title candidate: 'decisions. You will examine the role of statistics in making evidence-based decisions about care management. Finally, you will learn how statistics are'
  ❌ Invalid title line: 'decisions. You will examine the role of statistics in making evidence-based decisions about care management. Finally, you will learn how statistics are'
  ➜ Parsing at 5657: 'used in healthcare and how to test the validity of statistics in order to make informed care management decisions.'

🔍 parse_program: starting at line 5657: 'used in healthcare and how to test the validity of statistics in order to make informed care management decisions.'
  ➜ Title candidate: 'used in healthcare and how to test the validity of statistics in order to make informed care management decisions.'
  ❌ Invalid title line: 'used in healthcare and how to test the validity of statistics in order to make informed care management decisions.'
  ➜ Parsing at 5658: 'C421 - Health Information Technology Project - A medical group has decided to move forward with the organizational initiative of reducing health'

🔍 parse_program: starting at line 5658: 'C421 - Health Information Technology Project - A medical group has decided to move forward with the organizational initiative of reducing health'
  ➜ Title candidate: 'C421 - Health Information Technology Project - A medical group has decided to move forward with the organizational initiative of reducing health'
  ❌ Invalid title line: 'C421 - Health Information Technology Project - A medical group has decided to move forward with the organizational initiative of reducing health'
  ➜ Parsing at 5659: 'disparities, increasing access, and improving outcomes by leading a cooperative of local healthcare organizations in a Community Health Information'

🔍 parse_program: starting at line 5659: 'disparities, increasing access, and improving outcomes by leading a cooperative of local healthcare organizations in a Community Health Information'
  ➜ Title candidate: 'disparities, increasing access, and improving outcomes by leading a cooperative of local healthcare organizations in a Community Health Information'
  ❌ Invalid title line: 'disparities, increasing access, and improving outcomes by leading a cooperative of local healthcare organizations in a Community Health Information'
  ➜ Parsing at 5660: 'Exchange System (CHIES) expansion plan founded on the governor’s vision to advance HIEs. You will complete an assessment of a CHIE, propose'

🔍 parse_program: starting at line 5660: 'Exchange System (CHIES) expansion plan founded on the governor’s vision to advance HIEs. You will complete an assessment of a CHIE, propose'
  ➜ Title candidate: 'Exchange System (CHIES) expansion plan founded on the governor’s vision to advance HIEs. You will complete an assessment of a CHIE, propose'
  ❌ Invalid title line: 'Exchange System (CHIES) expansion plan founded on the governor’s vision to advance HIEs. You will complete an assessment of a CHIE, propose'
  ➜ Parsing at 5661: 'an updated Electronic Health Records System (EHRS), and complete a CHIE feasibility assessment.'

🔍 parse_program: starting at line 5661: 'an updated Electronic Health Records System (EHRS), and complete a CHIE feasibility assessment.'
  ➜ Title candidate: 'an updated Electronic Health Records System (EHRS), and complete a CHIE feasibility assessment.'
  ❌ Invalid title line: 'an updated Electronic Health Records System (EHRS), and complete a CHIE feasibility assessment.'
  ➜ Parsing at 5662: 'C423 - Challenges in Community Health Project - Community-based integrated healthcare requires skills in communication, management, and'

🔍 parse_program: starting at line 5662: 'C423 - Challenges in Community Health Project - Community-based integrated healthcare requires skills in communication, management, and'
  ➜ Title candidate: 'C423 - Challenges in Community Health Project - Community-based integrated healthcare requires skills in communication, management, and'
  ❌ Invalid title line: 'C423 - Challenges in Community Health Project - Community-based integrated healthcare requires skills in communication, management, and'
  ➜ Parsing at 5663: 'resource utilization among healthcare personnel, healthcare organizations, and community and state entities. You will apply appropriate actions and'

🔍 parse_program: starting at line 5663: 'resource utilization among healthcare personnel, healthcare organizations, and community and state entities. You will apply appropriate actions and'
  ➜ Title candidate: 'resource utilization among healthcare personnel, healthcare organizations, and community and state entities. You will apply appropriate actions and'
  ❌ Invalid title line: 'resource utilization among healthcare personnel, healthcare organizations, and community and state entities. You will apply appropriate actions and'
  ➜ Parsing at 5664: 'strategies consistent with the organizational mission, values, and needs in interactions with community leaders and members of the community. You'

🔍 parse_program: starting at line 5664: 'strategies consistent with the organizational mission, values, and needs in interactions with community leaders and members of the community. You'
  ➜ Title candidate: 'strategies consistent with the organizational mission, values, and needs in interactions with community leaders and members of the community. You'
  ❌ Invalid title line: 'strategies consistent with the organizational mission, values, and needs in interactions with community leaders and members of the community. You'
  ➜ Parsing at 5665: 'will learn and demonstrate utilization of communication and collaboration skills and the evaluation and application of data in problem-solving skills at'

🔍 parse_program: starting at line 5665: 'will learn and demonstrate utilization of communication and collaboration skills and the evaluation and application of data in problem-solving skills at'
  ➜ Title candidate: 'will learn and demonstrate utilization of communication and collaboration skills and the evaluation and application of data in problem-solving skills at'
  ❌ Invalid title line: 'will learn and demonstrate utilization of communication and collaboration skills and the evaluation and application of data in problem-solving skills at'
  ➜ Parsing at 5666: 'both the organizational and community level.'

🔍 parse_program: starting at line 5666: 'both the organizational and community level.'
  ➜ Title candidate: 'both the organizational and community level.'
  ❌ Invalid title line: 'both the organizational and community level.'
  ➜ Parsing at 5667: 'C424 - Integrated Healthcare Project - You will develop and present a comprehensive case study and business plan that proposes an integrated'

🔍 parse_program: starting at line 5667: 'C424 - Integrated Healthcare Project - You will develop and present a comprehensive case study and business plan that proposes an integrated'
  ➜ Title candidate: 'C424 - Integrated Healthcare Project - You will develop and present a comprehensive case study and business plan that proposes an integrated'
  ❌ Invalid title line: 'C424 - Integrated Healthcare Project - You will develop and present a comprehensive case study and business plan that proposes an integrated'
  ➜ Parsing at 5668: 'system that includes, at a minimum, a health plan, hospitals, skilled nursing homes, and home health organizations to meet the rising health demands'

🔍 parse_program: starting at line 5668: 'system that includes, at a minimum, a health plan, hospitals, skilled nursing homes, and home health organizations to meet the rising health demands'
  ➜ Title candidate: 'system that includes, at a minimum, a health plan, hospitals, skilled nursing homes, and home health organizations to meet the rising health demands'
  ❌ Invalid title line: 'system that includes, at a minimum, a health plan, hospitals, skilled nursing homes, and home health organizations to meet the rising health demands'
  ➜ Parsing at 5669: 'of the baby-boomer population. You will choose an area of the U.S. with existing healthcare organizations, and present a model of an “open delivery'

🔍 parse_program: starting at line 5669: 'of the baby-boomer population. You will choose an area of the U.S. with existing healthcare organizations, and present a model of an “open delivery'
  ➜ Title candidate: 'of the baby-boomer population. You will choose an area of the U.S. with existing healthcare organizations, and present a model of an “open delivery'
  ❌ Invalid title line: 'of the baby-boomer population. You will choose an area of the U.S. with existing healthcare organizations, and present a model of an “open delivery'
  ➜ Parsing at 5670: 'system” that serves as a financial hedge, enables experimentation, integrates culture (patient population demographics and regional healthcare'

🔍 parse_program: starting at line 5670: 'system” that serves as a financial hedge, enables experimentation, integrates culture (patient population demographics and regional healthcare'
  ➜ Title candidate: 'system” that serves as a financial hedge, enables experimentation, integrates culture (patient population demographics and regional healthcare'
  ❌ Invalid title line: 'system” that serves as a financial hedge, enables experimentation, integrates culture (patient population demographics and regional healthcare'
  ➜ Parsing at 5671: 'values and principles), incentives wellness and preventative care), and is value-based and consumer driven.'

🔍 parse_program: starting at line 5671: 'values and principles), incentives wellness and preventative care), and is value-based and consumer driven.'
  ➜ Title candidate: 'values and principles), incentives wellness and preventative care), and is value-based and consumer driven.'
  ❌ Invalid title line: 'values and principles), incentives wellness and preventative care), and is value-based and consumer driven.'
  ➜ Parsing at 5672: 'C425 - Healthcare Delivery Systems, Regulation, and Compliance - This course provides an overview of the U.S. healthcare system and focuses'

🔍 parse_program: starting at line 5672: 'C425 - Healthcare Delivery Systems, Regulation, and Compliance - This course provides an overview of the U.S. healthcare system and focuses'
  ➜ Title candidate: 'C425 - Healthcare Delivery Systems, Regulation, and Compliance - This course provides an overview of the U.S. healthcare system and focuses'
  ❌ Invalid title line: 'C425 - Healthcare Delivery Systems, Regulation, and Compliance - This course provides an overview of the U.S. healthcare system and focuses'
  ➜ Parsing at 5673: 'on developing an understanding of the various sectors and roles involved in this complex industry. Policy and compliance issues are also addressed to'

🔍 parse_program: starting at line 5673: 'on developing an understanding of the various sectors and roles involved in this complex industry. Policy and compliance issues are also addressed to'
  ➜ Title candidate: 'on developing an understanding of the various sectors and roles involved in this complex industry. Policy and compliance issues are also addressed to'
  ❌ Invalid title line: 'on developing an understanding of the various sectors and roles involved in this complex industry. Policy and compliance issues are also addressed to'
  ➜ Parsing at 5674: 'facilitate an appreciation for the highly regulated nature of healthcare delivery.'

🔍 parse_program: starting at line 5674: 'facilitate an appreciation for the highly regulated nature of healthcare delivery.'
  ➜ Title candidate: 'facilitate an appreciation for the highly regulated nature of healthcare delivery.'
  ❌ Invalid title line: 'facilitate an appreciation for the highly regulated nature of healthcare delivery.'
  ➜ Parsing at 5675: 'C426 - Healthcare Values and Ethics - This course explores ethical standards and considerations common to the healthcare environment such as'

🔍 parse_program: starting at line 5675: 'C426 - Healthcare Values and Ethics - This course explores ethical standards and considerations common to the healthcare environment such as'
  ➜ Title candidate: 'C426 - Healthcare Values and Ethics - This course explores ethical standards and considerations common to the healthcare environment such as'
  ❌ Invalid title line: 'C426 - Healthcare Values and Ethics - This course explores ethical standards and considerations common to the healthcare environment such as'
  ➜ Parsing at 5676: 'access to care, confidentiality, the allocation of limited resources, and billing practices. This course also focuses on the distinct value system'

🔍 parse_program: starting at line 5676: 'access to care, confidentiality, the allocation of limited resources, and billing practices. This course also focuses on the distinct value system'
  ➜ Title candidate: 'access to care, confidentiality, the allocation of limited resources, and billing practices. This course also focuses on the distinct value system'
  ❌ Invalid title line: 'access to care, confidentiality, the allocation of limited resources, and billing practices. This course also focuses on the distinct value system'
  ➜ Parsing at 5677: 'associated with the healthcare industry, as well as the values of professionalism.'

🔍 parse_program: starting at line 5677: 'associated with the healthcare industry, as well as the values of professionalism.'
  ➜ Title candidate: 'associated with the healthcare industry, as well as the values of professionalism.'
  ❌ Invalid title line: 'associated with the healthcare industry, as well as the values of professionalism.'
  ➜ Parsing at 5678: 'C427 - Technology Applications in Healthcare - This course explores how technology continues to change and influence the healthcare industry.'

🔍 parse_program: starting at line 5678: 'C427 - Technology Applications in Healthcare - This course explores how technology continues to change and influence the healthcare industry.'
  ➜ Title candidate: 'C427 - Technology Applications in Healthcare - This course explores how technology continues to change and influence the healthcare industry.'
  ❌ Invalid title line: 'C427 - Technology Applications in Healthcare - This course explores how technology continues to change and influence the healthcare industry.'
  ➜ Parsing at 5679: 'Practical managerial applications are explored as well as the legal, ethical, and practical aspects of access to health and disease information.'

🔍 parse_program: starting at line 5679: 'Practical managerial applications are explored as well as the legal, ethical, and practical aspects of access to health and disease information.'
  ➜ Title candidate: 'Practical managerial applications are explored as well as the legal, ethical, and practical aspects of access to health and disease information.'
  ❌ Invalid title line: 'Practical managerial applications are explored as well as the legal, ethical, and practical aspects of access to health and disease information.'
  ➜ Parsing at 5680: 'Ensuring the protection of private health information is also emphasized.'

🔍 parse_program: starting at line 5680: 'Ensuring the protection of private health information is also emphasized.'
  ➜ Title candidate: 'Ensuring the protection of private health information is also emphasized.'
  ❌ Invalid title line: 'Ensuring the protection of private health information is also emphasized.'
  ➜ Parsing at 5681: 'C428 - Financial Resource Management in Healthcare - This course examines the financial environment of the healthcare industry including'

🔍 parse_program: starting at line 5681: 'C428 - Financial Resource Management in Healthcare - This course examines the financial environment of the healthcare industry including'
  ➜ Title candidate: 'C428 - Financial Resource Management in Healthcare - This course examines the financial environment of the healthcare industry including'
  ❌ Invalid title line: 'C428 - Financial Resource Management in Healthcare - This course examines the financial environment of the healthcare industry including'
  ➜ Parsing at 5682: 'principles involved in managed care. It also explores the revenue and expense structures for different sectors within the industry while emphasizing'

🔍 parse_program: starting at line 5682: 'principles involved in managed care. It also explores the revenue and expense structures for different sectors within the industry while emphasizing'
  ➜ Title candidate: 'principles involved in managed care. It also explores the revenue and expense structures for different sectors within the industry while emphasizing'
  ❌ Invalid title line: 'principles involved in managed care. It also explores the revenue and expense structures for different sectors within the industry while emphasizing'
  ➜ Parsing at 5683: 'funding and reimbursement practices of healthcare.'

🔍 parse_program: starting at line 5683: 'funding and reimbursement practices of healthcare.'
  ➜ Title candidate: 'funding and reimbursement practices of healthcare.'
  ❌ Invalid title line: 'funding and reimbursement practices of healthcare.'
  ➜ Parsing at 5684: 'C429 - Healthcare Operations Management - This course builds upon basic principles of management, organizational behavior, and leadership.'

🔍 parse_program: starting at line 5684: 'C429 - Healthcare Operations Management - This course builds upon basic principles of management, organizational behavior, and leadership.'
  ➜ Title candidate: 'C429 - Healthcare Operations Management - This course builds upon basic principles of management, organizational behavior, and leadership.'
  ❌ Invalid title line: 'C429 - Healthcare Operations Management - This course builds upon basic principles of management, organizational behavior, and leadership.'
  ➜ Parsing at 5685: 'Specific processes and business principles for managing operations in interdependent and multi-disciplinary healthcare organizations are explored.'

🔍 parse_program: starting at line 5685: 'Specific processes and business principles for managing operations in interdependent and multi-disciplinary healthcare organizations are explored.'
  ➜ Title candidate: 'Specific processes and business principles for managing operations in interdependent and multi-disciplinary healthcare organizations are explored.'
  ❌ Invalid title line: 'Specific processes and business principles for managing operations in interdependent and multi-disciplinary healthcare organizations are explored.'
  ➜ Parsing at 5686: 'Marketing strategies, communication skills, and the ability to establish and maintain relationships while ensuring productivity that is efficient, safe, and'

🔍 parse_program: starting at line 5686: 'Marketing strategies, communication skills, and the ability to establish and maintain relationships while ensuring productivity that is efficient, safe, and'
  ➜ Title candidate: 'Marketing strategies, communication skills, and the ability to establish and maintain relationships while ensuring productivity that is efficient, safe, and'
  ❌ Invalid title line: 'Marketing strategies, communication skills, and the ability to establish and maintain relationships while ensuring productivity that is efficient, safe, and'
  ➜ Parsing at 5687: 'meets the needs of all stakeholders is emphasized.'

🔍 parse_program: starting at line 5687: 'meets the needs of all stakeholders is emphasized.'
  ➜ Title candidate: 'meets the needs of all stakeholders is emphasized.'
  ❌ Invalid title line: 'meets the needs of all stakeholders is emphasized.'
  ➜ Parsing at 5688: 'C430 - Healthcare Quality Improvement and Risk Management - This course emphasizes principles of quality management and risk management'

🔍 parse_program: starting at line 5688: 'C430 - Healthcare Quality Improvement and Risk Management - This course emphasizes principles of quality management and risk management'
  ➜ Title candidate: 'C430 - Healthcare Quality Improvement and Risk Management - This course emphasizes principles of quality management and risk management'
  ❌ Invalid title line: 'C430 - Healthcare Quality Improvement and Risk Management - This course emphasizes principles of quality management and risk management'
  ➜ Parsing at 5689: 'in order to ensure safety, maximize patient outcomes, and continuously improve organizational outcomes. This course also examines the broader'

🔍 parse_program: starting at line 5689: 'in order to ensure safety, maximize patient outcomes, and continuously improve organizational outcomes. This course also examines the broader'
  ➜ Title candidate: 'in order to ensure safety, maximize patient outcomes, and continuously improve organizational outcomes. This course also examines the broader'
  ❌ Invalid title line: 'in order to ensure safety, maximize patient outcomes, and continuously improve organizational outcomes. This course also examines the broader'
  ➜ Parsing at 5690: 'impact of organizational culture and its influence on productivity, quality, and risk.'

🔍 parse_program: starting at line 5690: 'impact of organizational culture and its influence on productivity, quality, and risk.'
  ➜ Title candidate: 'impact of organizational culture and its influence on productivity, quality, and risk.'
  ❌ Invalid title line: 'impact of organizational culture and its influence on productivity, quality, and risk.'
  ➜ Parsing at 5691: 'C431 - Healthcare Research and Statistics - This course builds upon an understanding of research methods and quantitative analysis. Concepts of'

🔍 parse_program: starting at line 5691: 'C431 - Healthcare Research and Statistics - This course builds upon an understanding of research methods and quantitative analysis. Concepts of'
  ➜ Title candidate: 'C431 - Healthcare Research and Statistics - This course builds upon an understanding of research methods and quantitative analysis. Concepts of'
  ❌ Invalid title line: 'C431 - Healthcare Research and Statistics - This course builds upon an understanding of research methods and quantitative analysis. Concepts of'
  ➜ Parsing at 5692: 'population health, epidemiology, and evidence-based practices provide the foundation for understanding the importance of data for informing'

🔍 parse_program: starting at line 5692: 'population health, epidemiology, and evidence-based practices provide the foundation for understanding the importance of data for informing'
  ➜ Title candidate: 'population health, epidemiology, and evidence-based practices provide the foundation for understanding the importance of data for informing'
  ❌ Invalid title line: 'population health, epidemiology, and evidence-based practices provide the foundation for understanding the importance of data for informing'
  ➜ Parsing at 5693: 'healthcare organizational decisions.'

🔍 parse_program: starting at line 5693: 'healthcare organizational decisions.'
  ➜ Title candidate: 'healthcare organizational decisions.'
  ❌ Invalid title line: 'healthcare organizational decisions.'
  ➜ Parsing at 5694: 'C432 - Healthcare Management and Strategy - This course builds upon basic principles of strategic management and explores healthcare'

🔍 parse_program: starting at line 5694: 'C432 - Healthcare Management and Strategy - This course builds upon basic principles of strategic management and explores healthcare'
  ➜ Title candidate: 'C432 - Healthcare Management and Strategy - This course builds upon basic principles of strategic management and explores healthcare'
  ❌ Invalid title line: 'C432 - Healthcare Management and Strategy - This course builds upon basic principles of strategic management and explores healthcare'
  ➜ Parsing at 5695: 'organizational structures and processes. The importance of the collaborative nature and interrelationships among business functions is emphasized.'

🔍 parse_program: starting at line 5695: 'organizational structures and processes. The importance of the collaborative nature and interrelationships among business functions is emphasized.'
  ➜ Title candidate: 'organizational structures and processes. The importance of the collaborative nature and interrelationships among business functions is emphasized.'
  ❌ Invalid title line: 'organizational structures and processes. The importance of the collaborative nature and interrelationships among business functions is emphasized.'
  ➜ Parsing at 5696: 'Creating a healthcare vision and designing business plans within a healthcare environment is also examined.'

🔍 parse_program: starting at line 5696: 'Creating a healthcare vision and designing business plans within a healthcare environment is also examined.'
  ➜ Title candidate: 'Creating a healthcare vision and designing business plans within a healthcare environment is also examined.'
  ❌ Invalid title line: 'Creating a healthcare vision and designing business plans within a healthcare environment is also examined.'
  ➜ Parsing at 5697: '© Western Governors University 7/19/17 157'

🔍 parse_program: starting at line 5697: '© Western Governors University 7/19/17 157'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'C433 - Integrated Healthcare Management Capstone Project - The capstone project is a student-designed project intended to illustrate your ability'
  ➜ Skipping stray line: 'to effect change in the industry and demonstrate competence in all five core competencies of the curriculum. You are required to collaborate with'
  ➜ Skipping stray line: 'leaders in the healthcare industry to identify opportunities for improvement in healthcare, propose a solution, and perform a business analysis to'
  ➜ Skipping stray line: 'evaluate its feasibility. In addition, the capstone project encourages work in the healthcare industry that will be showcased in your collection of work'
  ➜ Skipping stray line: 'and help solidify professional relationships in the industry.'
  ➜ Skipping stray line: 'C439 - Healthcare Management Capstone - This course is the culminating experience and assessment of healthcare business administration. This'
  ➜ Skipping stray line: 'course requires the student to integrate and synthesize managerial skills with healthcare knowledge, resulting in a high quality final project that'
  ➜ Skipping stray line: 'demonstrates professional managerial proficiency.'
  ➜ Skipping stray line: 'C451 - Integrated Natural Science - Integrated Natural Sciences explores the natural world through an integrated perspective and helps students'
  ➜ Skipping stray line: 'begin to see and draw numerous connections among events in the natural world. Topics include the universe, the Earth, ecosystems and organisms.'
  ➜ Skipping stray line: 'C452 - Integrated Natural Science Applications - Integrated Natural Sciences Applications explores the natural world through an integrated'
  ➜ Skipping stray line: 'perspective and helps students apply scientific concepts and methodologies to the examination of natural science fundamentals.'
  ➜ Skipping stray line: 'C453 - Clinical Microbiology - Clinical Microbiology introduces general concepts, methods, and applications of microbiology from a health sciences'
  ➜ Skipping stray line: 'perspective. The course is designed to provide healthcare professionals with a basic understanding of how various diseases are transmitted and'
  ➜ Skipping stray line: 'controlled. Students will examine the structure and function of microorganisms, including the roles that they play in causing major diseases. The'
  ➜ Skipping stray line: 'course also explores immunological, pathological and epidemiological factors associated with disease. To assist students in developing an applied,'
  ➜ Skipping stray line: 'patient-focused understanding of microbiology, this course is complimented by several lab experiments which allow students to: practice aseptic'
  ➜ Skipping stray line: 'techniques, grow bacteria and fungi, identify characteristics of bacteria and yeast based on biochemical and environmental tests, determine antibiotic'
  ➜ Skipping stray line: 'susceptibility, discover the microorganisms growing on objects and surfaces, and determine the Gram characteristic of bacteria. This course has no'
  ➜ Skipping stray line: 'pre-requisites.'
  ➜ Skipping stray line: 'C455 - English Composition I - English Composition I introduces learners to the types of writing and thinking that are valued in college and beyond.'
  ➜ Skipping stray line: 'Students will practice writing in several genres with emphasis placed on writing and revising academic arguments. Instruction and exercises in'
  ➜ Skipping stray line: 'grammar, mechanics, research documentation, and style are paired with each module so that writers can practice these skills as necessary.'
  ➜ Skipping stray line: 'Comp I is a foundational course designed to help students prepare for success at the college level.'
  ➜ Skipping stray line: 'There are no prerequisites for English Composition I.'
  ➜ Skipping stray line: 'C456 - English Composition II - English Composition II introduces undergraduate students to research writing. It is a foundational course designed to'
  ➜ Skipping stray line: 'help students prepare for advanced writing within the discipline and to complete the capstone. Specifically, this course will help students develop or'
  ➜ Skipping stray line: 'improve research, reference citation, document organization, and writing skills. English Composition I or equivalent is a prerequisite for this course.'
  ➜ Skipping stray line: 'C457 - Foundations of College Mathematics - Foundations of College Mathematics addresses the sequence of learning activities necessary to build'
  ➜ Skipping stray line: 'competence in foundational concepts of College Mathematics, which include whole numbers, fractions, decimals, ratios, proportions and percents,'
  ➜ Skipping stray line: 'geometry, statistics, the real number system, equations, inequalities, applications, and graphs of linear equations.'
  ➜ Skipping stray line: 'C458 - Health, Fitness and Wellness - Health, Fitness and Wellness focuses on the importance and foundations of good health and physical fitness,'
  ➜ Skipping stray line: 'particularly for children and adolescents, addressing health, nutrition, fitness, and substance use and abuse.'
  ➜ Skipping stray line: 'C459 - Introduction to Probability and Statistics - In this course, students demonstrate competency in the basic concepts, logic, and issues'
  ➜ Skipping stray line: 'involved in statistical reasoning. Topics include summarizing and analyzing data, sampling and study design, and probability.'
  ➜ Skipping stray line: 'C460 - Mathematics for Elementary Educators I - Mathematics for Elementary Educators I engages pre-service elementary teachers in'
  ➜ Skipping stray line: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in problem solving, set theory,'
  ➜ Skipping stray line: 'number theory, whole numbers and integers. This is the first course in a three-course sequence.'
  ➜ Skipping stray line: 'C461 - Mathematics for Elementary Educators II - This course engages pre-service elementary teachers in mathematical practices based on deep'
  ➜ Skipping stray line: 'understanding of underlying concepts. This course takes the arithmetic of the first course and generalizes it into algebraic reasoning. The course also'
  ➜ Skipping stray line: 'touches on important topics in probability. This is the second course in a three-course sequence.'
  ➜ Skipping stray line: 'C462 - Mathematics for Elementary Educators III - Mathematics for Elementary Educators III engages pre-service elementary teachers in'
  ➜ Skipping stray line: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in statistics, measurement, and'
  ➜ Skipping stray line: 'covers geometry from synthetic, transformational, and coordinate perspectives. This is the third course in a three-course sequence.'
  ➜ Skipping stray line: 'C463 - Intermediate Algebra - This course provides an introduction of algebraic concepts and the development of the essential groundwork for'
  ➜ Skipping stray line: 'College Algebra. Topics include: A review of basic mathematical skills, the real number system, algebraic expressions, linear equations, graphing,'
  ➜ Skipping stray line: 'exponents and polynomials'
  ➜ Skipping stray line: 'C464 - Introduction to Communication - This introductory communication course allows students to become familiar with the fundamental'
  ➜ Skipping stray line: 'communication theories and practices necessary to engage in healthy professional and personal relationships. Students will survey human'
  ➜ Skipping stray line: 'communication on multiple levels and critically apply the theoretical grounding of the course to interpersonal, intercultural, small group, and public'
  ➜ Skipping stray line: 'presentational contexts. The course also encourages students to consider the influence of language, perception, culture, and media on their daily'
  ➜ Skipping stray line: 'communicative interactions. In addition to theory, students will engage in the application of effective communication skills through systematically'
  ➜ Skipping stray line: 'preparing and delivering an oral presentation. By practicing these fundamental skills in human communication, students become more competent'
  ➜ Skipping stray line: 'communicators as they develop more flexible, useful, and discriminatory communicative practices in a variety of contexts.'
  ➜ Skipping stray line: 'C465 - Care of the Developing Family - .'
  ➜ Skipping stray line: 'C466 - Medication Dosage Calculations - In Medication Dosage Calculations, students learn about individualized drug dosing concepts, including:'
  ➜ Skipping stray line: 'different measurement systems, solid and liquid medications, calculating dosages based on body weight or body surface area, interpreting drug labels'
  ➜ Skipping stray line: 'and abbreviations, and common medication errors.'
  ➜ Skipping stray line: 'C467 - Pharmacology - Pharmacology covers concepts in pharmacology including drug classification and effects, the role of the nurse in drug'
  ➜ Skipping stray line: 'therapy, preparation and administration of drugs, and ethical and legal issues surrounding medication administration. The Institute of Medicine reports'
  ➜ Skipping stray line: 'that cited medication errors as the most common medical errors, costing billions of dollars and harming up to 1.5 million people every year. Medication'
  ➜ Skipping stray line: 'errors are often the result of nurses failing to follow proper procedures. The pharmacology course covers the following concepts: the nursing process'
  ➜ Skipping stray line: 'in relation to drug therapy; the role of pharmacological principles in nursing; the role of the nurse in pharmacy and lifespan considerations; cultural,'
  ➜ Skipping stray line: 'ethical, and legal considerations; education and substance abuse; and gene therapy and pharmacology. This course introduces the nursing student to'
  ➜ Skipping stray line: 'these concepts and continues to integrate pharmacology throughout the clinical courses within the program.'
  ➜ Skipping stray line: 'C468 - Information Management and the Application of Technology - Information Management and the Application of Technology helps the'
  ➜ Skipping stray line: 'student learn how to identify and implement the unique responsibilities of nurses related to the application of technology and the management of'
  ➜ Skipping stray line: 'patient information. This includes: understanding the evolving role of nurse informaticists; demonstrating the skills needed to use electronic health'
  ➜ Skipping stray line: 'records; identifying nurse-sensitive outcomes that lead to quality improvement measures; supporting the contributions of nurses to patient care;'
  ➜ Skipping stray line: 'examining workflow changes related to the implementation of computerized management systems; and learning to analyze the implications of new'
  ➜ Skipping stray line: 'technology on security, practice, and research.'
  ➜ Skipping stray line: 'C469 - Caring Arts and Science Across the Lifespan Part I - Caring Arts and Science Across the Lifespan Part I introduces nursing fundamentals'
  ➜ Skipping stray line: 'which speak to the core of all nursing care by assessing the needs of patients with compassion and respect; advocating for patients and their families;'
  ➜ Skipping stray line: 'providing education and comfort; and integrating patient needs into a plan of care that embraces individuality, diversity, and belief. Students continue'
  ➜ Skipping stray line: 'to learn about fundamental nursing skills within their didactic environment and will be provided time to practice in a learning lab environment.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 158'
  ➜ Skipping stray line: 'C470 - Caring Arts and Science Across the Lifespan Part I Clinical Learning - This course includes all aspects of clinical learning related to the'
  ➜ Skipping stray line: 'fundamentals of nursing practice. Learning labs will teach and assess task skill knowledge including physical assessment, safe medication'
  ➜ Skipping stray line: 'administration, oxygenation; nutrition, metabolism, & elimination; skin integrity, activity, & mobility; and cognition. Students who are successful in lab'
  ➜ Skipping stray line: 'assessments will progress to live patient clinicals and will be assessed for their mastery of basic levels of the key behaviors for clinical practice of a'
  ➜ Skipping stray line: 'novice nursing student.'
  ➜ Skipping stray line: 'C471 - Caring Arts and Science Across the Lifespan Part II - Caring Arts and Science Across the Lifespan Part II topics include management of'
  ➜ Skipping stray line: 'the perioperative care continuum; patient centered care of the adult; care of the adult with alterations in circulation; car of the adult with alterations in'
  ➜ Skipping stray line: 'cardiovascular function; care of the adult with alterations in oxygenation; care of the adult with alterations in neurosensory function; fundamental'
  ➜ Skipping stray line: 'patient self-determination & advocacy; and end-of-life care. This course incorporates virtual simulations into the didactic course to help students'
  ➜ Skipping stray line: 'prepare for their learning labs and clinical learning experience. Patient scenarios for the virtual simulations include: fluid & electrolyte imbalance; blood'
  ➜ Skipping stray line: 'transfusion reaction; severe reaction to antibiotic; pulmonary embolism; and postoperative complications with a fracture.'
  ➜ Skipping stray line: 'C472 - Caring Arts and Science Across the Lifespan Part II Clinical Learning - The clinical learning course for CASAL II includes all aspects of'
  ➜ Skipping stray line: 'clinical learning related to medical surgical nursing practice. Learning labs will teach and assess task skill knowledge progressing to high fidelity'
  ➜ Skipping stray line: 'simulation scenarios to develop mastery of situated use of knowledge and synthesis of knowledge in clinical scenarios that focus on perioperative'
  ➜ Skipping stray line: 'care. The virtual simulations that students completed in didactic will prepare them for their learning lab scenarios. Students who are successful in lab'
  ➜ Skipping stray line: 'assessments will progress to live patient clinicals and will be assessed for their mastery of basic levels of the key behaviors for clinical practice of'
  ➜ Skipping stray line: 'Medical Surgical nursing.'
  ➜ Skipping stray line: 'C473 - Care of Adults with Complex Illnesses - The Care of Adults with Complex Illnesses course builds on prior knowledge of medical surgical'
  ➜ Skipping stray line: 'nursing care and common conditions, focusing on diseases and conditions that affect the neuromuscular system, the musculoskeletal system, the'
  ➜ Skipping stray line: 'kidneys, the pancreas, and diseases such as cancer and impaired immunity, which affect every part of the body. Students will develop mastery of'
  ➜ Skipping stray line: 'competencies related to advanced medical surgical nursing practice. This course also utilizes virtual simulation scenarios to help students prepare for'
  ➜ Skipping stray line: 'their learning labs and their clinical intensives. Students work through the following patient scenarios: diabetes/hypoglycemia; postop abdominal'
  ➜ Skipping stray line: 'hysterectomy/opioid intoxication; acute severe asthma; acute myocardial infarction; and respiratory system disease.'
  ➜ Skipping stray line: 'C474 - Clinical Learning for Complex Illnesses in Adults - Clinical Care of Adults with Complex Illnesses includes all aspects of clinical learning'
  ➜ Skipping stray line: 'related to advanced medical surgical nursing practice. Learning labs will teach and assess advanced clinical competencies through the use of high'
  ➜ Skipping stray line: 'fidelity simulation and advanced clinical debriefing for clinical scenarios. Students participate in skills related to advance medication administration,'
  ➜ Skipping stray line: 'central venous devices, and peripherally inserted central catheters. The virtual simulations that students completed in didactic will prepare them for'
  ➜ Skipping stray line: 'their learning lab scenarios. Students who are successful in simulation assessments will progress to live patient clinicals and will be assessed for their'
  ➜ Title candidate: 'mastery of advanced levels of the key behaviors for clinical practice of Medical Surgical nursing.'
  ✔️ Collected description (1790 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 5698: 'C433 - Integrated Healthcare Management Capstone Project - The capstone project is a student-designed project intended to illustrate your ability'

🔍 parse_program: starting at line 5698: 'C433 - Integrated Healthcare Management Capstone Project - The capstone project is a student-designed project intended to illustrate your ability'
  ➜ Title candidate: 'C433 - Integrated Healthcare Management Capstone Project - The capstone project is a student-designed project intended to illustrate your ability'
  ❌ Invalid title line: 'C433 - Integrated Healthcare Management Capstone Project - The capstone project is a student-designed project intended to illustrate your ability'
  ➜ Parsing at 5699: 'to effect change in the industry and demonstrate competence in all five core competencies of the curriculum. You are required to collaborate with'

🔍 parse_program: starting at line 5699: 'to effect change in the industry and demonstrate competence in all five core competencies of the curriculum. You are required to collaborate with'
  ➜ Title candidate: 'to effect change in the industry and demonstrate competence in all five core competencies of the curriculum. You are required to collaborate with'
  ❌ Invalid title line: 'to effect change in the industry and demonstrate competence in all five core competencies of the curriculum. You are required to collaborate with'
  ➜ Parsing at 5700: 'leaders in the healthcare industry to identify opportunities for improvement in healthcare, propose a solution, and perform a business analysis to'

🔍 parse_program: starting at line 5700: 'leaders in the healthcare industry to identify opportunities for improvement in healthcare, propose a solution, and perform a business analysis to'
  ➜ Title candidate: 'leaders in the healthcare industry to identify opportunities for improvement in healthcare, propose a solution, and perform a business analysis to'
  ❌ Invalid title line: 'leaders in the healthcare industry to identify opportunities for improvement in healthcare, propose a solution, and perform a business analysis to'
  ➜ Parsing at 5701: 'evaluate its feasibility. In addition, the capstone project encourages work in the healthcare industry that will be showcased in your collection of work'

🔍 parse_program: starting at line 5701: 'evaluate its feasibility. In addition, the capstone project encourages work in the healthcare industry that will be showcased in your collection of work'
  ➜ Title candidate: 'evaluate its feasibility. In addition, the capstone project encourages work in the healthcare industry that will be showcased in your collection of work'
  ❌ Invalid title line: 'evaluate its feasibility. In addition, the capstone project encourages work in the healthcare industry that will be showcased in your collection of work'
  ➜ Parsing at 5702: 'and help solidify professional relationships in the industry.'

🔍 parse_program: starting at line 5702: 'and help solidify professional relationships in the industry.'
  ➜ Title candidate: 'and help solidify professional relationships in the industry.'
  ❌ Invalid title line: 'and help solidify professional relationships in the industry.'
  ➜ Parsing at 5703: 'C439 - Healthcare Management Capstone - This course is the culminating experience and assessment of healthcare business administration. This'

🔍 parse_program: starting at line 5703: 'C439 - Healthcare Management Capstone - This course is the culminating experience and assessment of healthcare business administration. This'
  ➜ Title candidate: 'C439 - Healthcare Management Capstone - This course is the culminating experience and assessment of healthcare business administration. This'
  ❌ Invalid title line: 'C439 - Healthcare Management Capstone - This course is the culminating experience and assessment of healthcare business administration. This'
  ➜ Parsing at 5704: 'course requires the student to integrate and synthesize managerial skills with healthcare knowledge, resulting in a high quality final project that'

🔍 parse_program: starting at line 5704: 'course requires the student to integrate and synthesize managerial skills with healthcare knowledge, resulting in a high quality final project that'
  ➜ Title candidate: 'course requires the student to integrate and synthesize managerial skills with healthcare knowledge, resulting in a high quality final project that'
  ❌ Invalid title line: 'course requires the student to integrate and synthesize managerial skills with healthcare knowledge, resulting in a high quality final project that'
  ➜ Parsing at 5705: 'demonstrates professional managerial proficiency.'

🔍 parse_program: starting at line 5705: 'demonstrates professional managerial proficiency.'
  ➜ Title candidate: 'demonstrates professional managerial proficiency.'
  ❌ Invalid title line: 'demonstrates professional managerial proficiency.'
  ➜ Parsing at 5706: 'C451 - Integrated Natural Science - Integrated Natural Sciences explores the natural world through an integrated perspective and helps students'

🔍 parse_program: starting at line 5706: 'C451 - Integrated Natural Science - Integrated Natural Sciences explores the natural world through an integrated perspective and helps students'
  ➜ Title candidate: 'C451 - Integrated Natural Science - Integrated Natural Sciences explores the natural world through an integrated perspective and helps students'
  ❌ Invalid title line: 'C451 - Integrated Natural Science - Integrated Natural Sciences explores the natural world through an integrated perspective and helps students'
  ➜ Parsing at 5707: 'begin to see and draw numerous connections among events in the natural world. Topics include the universe, the Earth, ecosystems and organisms.'

🔍 parse_program: starting at line 5707: 'begin to see and draw numerous connections among events in the natural world. Topics include the universe, the Earth, ecosystems and organisms.'
  ➜ Title candidate: 'begin to see and draw numerous connections among events in the natural world. Topics include the universe, the Earth, ecosystems and organisms.'
  ❌ Invalid title line: 'begin to see and draw numerous connections among events in the natural world. Topics include the universe, the Earth, ecosystems and organisms.'
  ➜ Parsing at 5708: 'C452 - Integrated Natural Science Applications - Integrated Natural Sciences Applications explores the natural world through an integrated'

🔍 parse_program: starting at line 5708: 'C452 - Integrated Natural Science Applications - Integrated Natural Sciences Applications explores the natural world through an integrated'
  ➜ Title candidate: 'C452 - Integrated Natural Science Applications - Integrated Natural Sciences Applications explores the natural world through an integrated'
  ❌ Invalid title line: 'C452 - Integrated Natural Science Applications - Integrated Natural Sciences Applications explores the natural world through an integrated'
  ➜ Parsing at 5709: 'perspective and helps students apply scientific concepts and methodologies to the examination of natural science fundamentals.'

🔍 parse_program: starting at line 5709: 'perspective and helps students apply scientific concepts and methodologies to the examination of natural science fundamentals.'
  ➜ Title candidate: 'perspective and helps students apply scientific concepts and methodologies to the examination of natural science fundamentals.'
  ❌ Invalid title line: 'perspective and helps students apply scientific concepts and methodologies to the examination of natural science fundamentals.'
  ➜ Parsing at 5710: 'C453 - Clinical Microbiology - Clinical Microbiology introduces general concepts, methods, and applications of microbiology from a health sciences'

🔍 parse_program: starting at line 5710: 'C453 - Clinical Microbiology - Clinical Microbiology introduces general concepts, methods, and applications of microbiology from a health sciences'
  ➜ Title candidate: 'C453 - Clinical Microbiology - Clinical Microbiology introduces general concepts, methods, and applications of microbiology from a health sciences'
  ❌ Invalid title line: 'C453 - Clinical Microbiology - Clinical Microbiology introduces general concepts, methods, and applications of microbiology from a health sciences'
  ➜ Parsing at 5711: 'perspective. The course is designed to provide healthcare professionals with a basic understanding of how various diseases are transmitted and'

🔍 parse_program: starting at line 5711: 'perspective. The course is designed to provide healthcare professionals with a basic understanding of how various diseases are transmitted and'
  ➜ Title candidate: 'perspective. The course is designed to provide healthcare professionals with a basic understanding of how various diseases are transmitted and'
  ❌ Invalid title line: 'perspective. The course is designed to provide healthcare professionals with a basic understanding of how various diseases are transmitted and'
  ➜ Parsing at 5712: 'controlled. Students will examine the structure and function of microorganisms, including the roles that they play in causing major diseases. The'

🔍 parse_program: starting at line 5712: 'controlled. Students will examine the structure and function of microorganisms, including the roles that they play in causing major diseases. The'
  ➜ Title candidate: 'controlled. Students will examine the structure and function of microorganisms, including the roles that they play in causing major diseases. The'
  ❌ Invalid title line: 'controlled. Students will examine the structure and function of microorganisms, including the roles that they play in causing major diseases. The'
  ➜ Parsing at 5713: 'course also explores immunological, pathological and epidemiological factors associated with disease. To assist students in developing an applied,'

🔍 parse_program: starting at line 5713: 'course also explores immunological, pathological and epidemiological factors associated with disease. To assist students in developing an applied,'
  ➜ Title candidate: 'course also explores immunological, pathological and epidemiological factors associated with disease. To assist students in developing an applied,'
  ❌ Invalid title line: 'course also explores immunological, pathological and epidemiological factors associated with disease. To assist students in developing an applied,'
  ➜ Parsing at 5714: 'patient-focused understanding of microbiology, this course is complimented by several lab experiments which allow students to: practice aseptic'

🔍 parse_program: starting at line 5714: 'patient-focused understanding of microbiology, this course is complimented by several lab experiments which allow students to: practice aseptic'
  ➜ Title candidate: 'patient-focused understanding of microbiology, this course is complimented by several lab experiments which allow students to: practice aseptic'
  ❌ Invalid title line: 'patient-focused understanding of microbiology, this course is complimented by several lab experiments which allow students to: practice aseptic'
  ➜ Parsing at 5715: 'techniques, grow bacteria and fungi, identify characteristics of bacteria and yeast based on biochemical and environmental tests, determine antibiotic'

🔍 parse_program: starting at line 5715: 'techniques, grow bacteria and fungi, identify characteristics of bacteria and yeast based on biochemical and environmental tests, determine antibiotic'
  ➜ Title candidate: 'techniques, grow bacteria and fungi, identify characteristics of bacteria and yeast based on biochemical and environmental tests, determine antibiotic'
  ❌ Invalid title line: 'techniques, grow bacteria and fungi, identify characteristics of bacteria and yeast based on biochemical and environmental tests, determine antibiotic'
  ➜ Parsing at 5716: 'susceptibility, discover the microorganisms growing on objects and surfaces, and determine the Gram characteristic of bacteria. This course has no'

🔍 parse_program: starting at line 5716: 'susceptibility, discover the microorganisms growing on objects and surfaces, and determine the Gram characteristic of bacteria. This course has no'
  ➜ Title candidate: 'susceptibility, discover the microorganisms growing on objects and surfaces, and determine the Gram characteristic of bacteria. This course has no'
  ❌ Invalid title line: 'susceptibility, discover the microorganisms growing on objects and surfaces, and determine the Gram characteristic of bacteria. This course has no'
  ➜ Parsing at 5717: 'pre-requisites.'

🔍 parse_program: starting at line 5717: 'pre-requisites.'
  ➜ Title candidate: 'pre-requisites.'
  ❌ Invalid title line: 'pre-requisites.'
  ➜ Parsing at 5718: 'C455 - English Composition I - English Composition I introduces learners to the types of writing and thinking that are valued in college and beyond.'

🔍 parse_program: starting at line 5718: 'C455 - English Composition I - English Composition I introduces learners to the types of writing and thinking that are valued in college and beyond.'
  ➜ Title candidate: 'C455 - English Composition I - English Composition I introduces learners to the types of writing and thinking that are valued in college and beyond.'
  ❌ Invalid title line: 'C455 - English Composition I - English Composition I introduces learners to the types of writing and thinking that are valued in college and beyond.'
  ➜ Parsing at 5719: 'Students will practice writing in several genres with emphasis placed on writing and revising academic arguments. Instruction and exercises in'

🔍 parse_program: starting at line 5719: 'Students will practice writing in several genres with emphasis placed on writing and revising academic arguments. Instruction and exercises in'
  ➜ Title candidate: 'Students will practice writing in several genres with emphasis placed on writing and revising academic arguments. Instruction and exercises in'
  ❌ Invalid title line: 'Students will practice writing in several genres with emphasis placed on writing and revising academic arguments. Instruction and exercises in'
  ➜ Parsing at 5720: 'grammar, mechanics, research documentation, and style are paired with each module so that writers can practice these skills as necessary.'

🔍 parse_program: starting at line 5720: 'grammar, mechanics, research documentation, and style are paired with each module so that writers can practice these skills as necessary.'
  ➜ Title candidate: 'grammar, mechanics, research documentation, and style are paired with each module so that writers can practice these skills as necessary.'
  ❌ Invalid title line: 'grammar, mechanics, research documentation, and style are paired with each module so that writers can practice these skills as necessary.'
  ➜ Parsing at 5721: 'Comp I is a foundational course designed to help students prepare for success at the college level.'

🔍 parse_program: starting at line 5721: 'Comp I is a foundational course designed to help students prepare for success at the college level.'
  ➜ Title candidate: 'Comp I is a foundational course designed to help students prepare for success at the college level.'
  ❌ Invalid title line: 'Comp I is a foundational course designed to help students prepare for success at the college level.'
  ➜ Parsing at 5722: 'There are no prerequisites for English Composition I.'

🔍 parse_program: starting at line 5722: 'There are no prerequisites for English Composition I.'
  ➜ Title candidate: 'There are no prerequisites for English Composition I.'
  ❌ Invalid title line: 'There are no prerequisites for English Composition I.'
  ➜ Parsing at 5723: 'C456 - English Composition II - English Composition II introduces undergraduate students to research writing. It is a foundational course designed to'

🔍 parse_program: starting at line 5723: 'C456 - English Composition II - English Composition II introduces undergraduate students to research writing. It is a foundational course designed to'
  ➜ Title candidate: 'C456 - English Composition II - English Composition II introduces undergraduate students to research writing. It is a foundational course designed to'
  ❌ Invalid title line: 'C456 - English Composition II - English Composition II introduces undergraduate students to research writing. It is a foundational course designed to'
  ➜ Parsing at 5724: 'help students prepare for advanced writing within the discipline and to complete the capstone. Specifically, this course will help students develop or'

🔍 parse_program: starting at line 5724: 'help students prepare for advanced writing within the discipline and to complete the capstone. Specifically, this course will help students develop or'
  ➜ Title candidate: 'help students prepare for advanced writing within the discipline and to complete the capstone. Specifically, this course will help students develop or'
  ❌ Invalid title line: 'help students prepare for advanced writing within the discipline and to complete the capstone. Specifically, this course will help students develop or'
  ➜ Parsing at 5725: 'improve research, reference citation, document organization, and writing skills. English Composition I or equivalent is a prerequisite for this course.'

🔍 parse_program: starting at line 5725: 'improve research, reference citation, document organization, and writing skills. English Composition I or equivalent is a prerequisite for this course.'
  ➜ Title candidate: 'improve research, reference citation, document organization, and writing skills. English Composition I or equivalent is a prerequisite for this course.'
  ❌ Invalid title line: 'improve research, reference citation, document organization, and writing skills. English Composition I or equivalent is a prerequisite for this course.'
  ➜ Parsing at 5726: 'C457 - Foundations of College Mathematics - Foundations of College Mathematics addresses the sequence of learning activities necessary to build'

🔍 parse_program: starting at line 5726: 'C457 - Foundations of College Mathematics - Foundations of College Mathematics addresses the sequence of learning activities necessary to build'
  ➜ Title candidate: 'C457 - Foundations of College Mathematics - Foundations of College Mathematics addresses the sequence of learning activities necessary to build'
  ❌ Invalid title line: 'C457 - Foundations of College Mathematics - Foundations of College Mathematics addresses the sequence of learning activities necessary to build'
  ➜ Parsing at 5727: 'competence in foundational concepts of College Mathematics, which include whole numbers, fractions, decimals, ratios, proportions and percents,'

🔍 parse_program: starting at line 5727: 'competence in foundational concepts of College Mathematics, which include whole numbers, fractions, decimals, ratios, proportions and percents,'
  ➜ Title candidate: 'competence in foundational concepts of College Mathematics, which include whole numbers, fractions, decimals, ratios, proportions and percents,'
  ❌ Invalid title line: 'competence in foundational concepts of College Mathematics, which include whole numbers, fractions, decimals, ratios, proportions and percents,'
  ➜ Parsing at 5728: 'geometry, statistics, the real number system, equations, inequalities, applications, and graphs of linear equations.'

🔍 parse_program: starting at line 5728: 'geometry, statistics, the real number system, equations, inequalities, applications, and graphs of linear equations.'
  ➜ Title candidate: 'geometry, statistics, the real number system, equations, inequalities, applications, and graphs of linear equations.'
  ❌ Invalid title line: 'geometry, statistics, the real number system, equations, inequalities, applications, and graphs of linear equations.'
  ➜ Parsing at 5729: 'C458 - Health, Fitness and Wellness - Health, Fitness and Wellness focuses on the importance and foundations of good health and physical fitness,'

🔍 parse_program: starting at line 5729: 'C458 - Health, Fitness and Wellness - Health, Fitness and Wellness focuses on the importance and foundations of good health and physical fitness,'
  ➜ Title candidate: 'C458 - Health, Fitness and Wellness - Health, Fitness and Wellness focuses on the importance and foundations of good health and physical fitness,'
  ❌ Invalid title line: 'C458 - Health, Fitness and Wellness - Health, Fitness and Wellness focuses on the importance and foundations of good health and physical fitness,'
  ➜ Parsing at 5730: 'particularly for children and adolescents, addressing health, nutrition, fitness, and substance use and abuse.'

🔍 parse_program: starting at line 5730: 'particularly for children and adolescents, addressing health, nutrition, fitness, and substance use and abuse.'
  ➜ Title candidate: 'particularly for children and adolescents, addressing health, nutrition, fitness, and substance use and abuse.'
  ❌ Invalid title line: 'particularly for children and adolescents, addressing health, nutrition, fitness, and substance use and abuse.'
  ➜ Parsing at 5731: 'C459 - Introduction to Probability and Statistics - In this course, students demonstrate competency in the basic concepts, logic, and issues'

🔍 parse_program: starting at line 5731: 'C459 - Introduction to Probability and Statistics - In this course, students demonstrate competency in the basic concepts, logic, and issues'
  ➜ Title candidate: 'C459 - Introduction to Probability and Statistics - In this course, students demonstrate competency in the basic concepts, logic, and issues'
  ❌ Invalid title line: 'C459 - Introduction to Probability and Statistics - In this course, students demonstrate competency in the basic concepts, logic, and issues'
  ➜ Parsing at 5732: 'involved in statistical reasoning. Topics include summarizing and analyzing data, sampling and study design, and probability.'

🔍 parse_program: starting at line 5732: 'involved in statistical reasoning. Topics include summarizing and analyzing data, sampling and study design, and probability.'
  ➜ Title candidate: 'involved in statistical reasoning. Topics include summarizing and analyzing data, sampling and study design, and probability.'
  ❌ Invalid title line: 'involved in statistical reasoning. Topics include summarizing and analyzing data, sampling and study design, and probability.'
  ➜ Parsing at 5733: 'C460 - Mathematics for Elementary Educators I - Mathematics for Elementary Educators I engages pre-service elementary teachers in'

🔍 parse_program: starting at line 5733: 'C460 - Mathematics for Elementary Educators I - Mathematics for Elementary Educators I engages pre-service elementary teachers in'
  ➜ Title candidate: 'C460 - Mathematics for Elementary Educators I - Mathematics for Elementary Educators I engages pre-service elementary teachers in'
  ❌ Invalid title line: 'C460 - Mathematics for Elementary Educators I - Mathematics for Elementary Educators I engages pre-service elementary teachers in'
  ➜ Parsing at 5734: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in problem solving, set theory,'

🔍 parse_program: starting at line 5734: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in problem solving, set theory,'
  ➜ Title candidate: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in problem solving, set theory,'
  ❌ Invalid title line: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in problem solving, set theory,'
  ➜ Parsing at 5735: 'number theory, whole numbers and integers. This is the first course in a three-course sequence.'

🔍 parse_program: starting at line 5735: 'number theory, whole numbers and integers. This is the first course in a three-course sequence.'
  ➜ Title candidate: 'number theory, whole numbers and integers. This is the first course in a three-course sequence.'
  ❌ Invalid title line: 'number theory, whole numbers and integers. This is the first course in a three-course sequence.'
  ➜ Parsing at 5736: 'C461 - Mathematics for Elementary Educators II - This course engages pre-service elementary teachers in mathematical practices based on deep'

🔍 parse_program: starting at line 5736: 'C461 - Mathematics for Elementary Educators II - This course engages pre-service elementary teachers in mathematical practices based on deep'
  ➜ Title candidate: 'C461 - Mathematics for Elementary Educators II - This course engages pre-service elementary teachers in mathematical practices based on deep'
  ❌ Invalid title line: 'C461 - Mathematics for Elementary Educators II - This course engages pre-service elementary teachers in mathematical practices based on deep'
  ➜ Parsing at 5737: 'understanding of underlying concepts. This course takes the arithmetic of the first course and generalizes it into algebraic reasoning. The course also'

🔍 parse_program: starting at line 5737: 'understanding of underlying concepts. This course takes the arithmetic of the first course and generalizes it into algebraic reasoning. The course also'
  ➜ Title candidate: 'understanding of underlying concepts. This course takes the arithmetic of the first course and generalizes it into algebraic reasoning. The course also'
  ❌ Invalid title line: 'understanding of underlying concepts. This course takes the arithmetic of the first course and generalizes it into algebraic reasoning. The course also'
  ➜ Parsing at 5738: 'touches on important topics in probability. This is the second course in a three-course sequence.'

🔍 parse_program: starting at line 5738: 'touches on important topics in probability. This is the second course in a three-course sequence.'
  ➜ Title candidate: 'touches on important topics in probability. This is the second course in a three-course sequence.'
  ❌ Invalid title line: 'touches on important topics in probability. This is the second course in a three-course sequence.'
  ➜ Parsing at 5739: 'C462 - Mathematics for Elementary Educators III - Mathematics for Elementary Educators III engages pre-service elementary teachers in'

🔍 parse_program: starting at line 5739: 'C462 - Mathematics for Elementary Educators III - Mathematics for Elementary Educators III engages pre-service elementary teachers in'
  ➜ Title candidate: 'C462 - Mathematics for Elementary Educators III - Mathematics for Elementary Educators III engages pre-service elementary teachers in'
  ❌ Invalid title line: 'C462 - Mathematics for Elementary Educators III - Mathematics for Elementary Educators III engages pre-service elementary teachers in'
  ➜ Parsing at 5740: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in statistics, measurement, and'

🔍 parse_program: starting at line 5740: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in statistics, measurement, and'
  ➜ Title candidate: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in statistics, measurement, and'
  ❌ Invalid title line: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in statistics, measurement, and'
  ➜ Parsing at 5741: 'covers geometry from synthetic, transformational, and coordinate perspectives. This is the third course in a three-course sequence.'

🔍 parse_program: starting at line 5741: 'covers geometry from synthetic, transformational, and coordinate perspectives. This is the third course in a three-course sequence.'
  ➜ Title candidate: 'covers geometry from synthetic, transformational, and coordinate perspectives. This is the third course in a three-course sequence.'
  ❌ Invalid title line: 'covers geometry from synthetic, transformational, and coordinate perspectives. This is the third course in a three-course sequence.'
  ➜ Parsing at 5742: 'C463 - Intermediate Algebra - This course provides an introduction of algebraic concepts and the development of the essential groundwork for'

🔍 parse_program: starting at line 5742: 'C463 - Intermediate Algebra - This course provides an introduction of algebraic concepts and the development of the essential groundwork for'
  ➜ Title candidate: 'C463 - Intermediate Algebra - This course provides an introduction of algebraic concepts and the development of the essential groundwork for'
  ❌ Invalid title line: 'C463 - Intermediate Algebra - This course provides an introduction of algebraic concepts and the development of the essential groundwork for'
  ➜ Parsing at 5743: 'College Algebra. Topics include: A review of basic mathematical skills, the real number system, algebraic expressions, linear equations, graphing,'

🔍 parse_program: starting at line 5743: 'College Algebra. Topics include: A review of basic mathematical skills, the real number system, algebraic expressions, linear equations, graphing,'
  ➜ Title candidate: 'College Algebra. Topics include: A review of basic mathematical skills, the real number system, algebraic expressions, linear equations, graphing,'
  ❌ Invalid title line: 'College Algebra. Topics include: A review of basic mathematical skills, the real number system, algebraic expressions, linear equations, graphing,'
  ➜ Parsing at 5744: 'exponents and polynomials'

🔍 parse_program: starting at line 5744: 'exponents and polynomials'
  ➜ Title candidate: 'exponents and polynomials'
  ❌ Invalid title line: 'exponents and polynomials'
  ➜ Parsing at 5745: 'C464 - Introduction to Communication - This introductory communication course allows students to become familiar with the fundamental'

🔍 parse_program: starting at line 5745: 'C464 - Introduction to Communication - This introductory communication course allows students to become familiar with the fundamental'
  ➜ Title candidate: 'C464 - Introduction to Communication - This introductory communication course allows students to become familiar with the fundamental'
  ❌ Invalid title line: 'C464 - Introduction to Communication - This introductory communication course allows students to become familiar with the fundamental'
  ➜ Parsing at 5746: 'communication theories and practices necessary to engage in healthy professional and personal relationships. Students will survey human'

🔍 parse_program: starting at line 5746: 'communication theories and practices necessary to engage in healthy professional and personal relationships. Students will survey human'
  ➜ Title candidate: 'communication theories and practices necessary to engage in healthy professional and personal relationships. Students will survey human'
  ❌ Invalid title line: 'communication theories and practices necessary to engage in healthy professional and personal relationships. Students will survey human'
  ➜ Parsing at 5747: 'communication on multiple levels and critically apply the theoretical grounding of the course to interpersonal, intercultural, small group, and public'

🔍 parse_program: starting at line 5747: 'communication on multiple levels and critically apply the theoretical grounding of the course to interpersonal, intercultural, small group, and public'
  ➜ Title candidate: 'communication on multiple levels and critically apply the theoretical grounding of the course to interpersonal, intercultural, small group, and public'
  ❌ Invalid title line: 'communication on multiple levels and critically apply the theoretical grounding of the course to interpersonal, intercultural, small group, and public'
  ➜ Parsing at 5748: 'presentational contexts. The course also encourages students to consider the influence of language, perception, culture, and media on their daily'

🔍 parse_program: starting at line 5748: 'presentational contexts. The course also encourages students to consider the influence of language, perception, culture, and media on their daily'
  ➜ Title candidate: 'presentational contexts. The course also encourages students to consider the influence of language, perception, culture, and media on their daily'
  ❌ Invalid title line: 'presentational contexts. The course also encourages students to consider the influence of language, perception, culture, and media on their daily'
  ➜ Parsing at 5749: 'communicative interactions. In addition to theory, students will engage in the application of effective communication skills through systematically'

🔍 parse_program: starting at line 5749: 'communicative interactions. In addition to theory, students will engage in the application of effective communication skills through systematically'
  ➜ Title candidate: 'communicative interactions. In addition to theory, students will engage in the application of effective communication skills through systematically'
  ❌ Invalid title line: 'communicative interactions. In addition to theory, students will engage in the application of effective communication skills through systematically'
  ➜ Parsing at 5750: 'preparing and delivering an oral presentation. By practicing these fundamental skills in human communication, students become more competent'

🔍 parse_program: starting at line 5750: 'preparing and delivering an oral presentation. By practicing these fundamental skills in human communication, students become more competent'
  ➜ Title candidate: 'preparing and delivering an oral presentation. By practicing these fundamental skills in human communication, students become more competent'
  ❌ Invalid title line: 'preparing and delivering an oral presentation. By practicing these fundamental skills in human communication, students become more competent'
  ➜ Parsing at 5751: 'communicators as they develop more flexible, useful, and discriminatory communicative practices in a variety of contexts.'

🔍 parse_program: starting at line 5751: 'communicators as they develop more flexible, useful, and discriminatory communicative practices in a variety of contexts.'
  ➜ Title candidate: 'communicators as they develop more flexible, useful, and discriminatory communicative practices in a variety of contexts.'
  ❌ Invalid title line: 'communicators as they develop more flexible, useful, and discriminatory communicative practices in a variety of contexts.'
  ➜ Parsing at 5752: 'C465 - Care of the Developing Family - .'

🔍 parse_program: starting at line 5752: 'C465 - Care of the Developing Family - .'
  ➜ Title candidate: 'C465 - Care of the Developing Family - .'
  ❌ Invalid title line: 'C465 - Care of the Developing Family - .'
  ➜ Parsing at 5753: 'C466 - Medication Dosage Calculations - In Medication Dosage Calculations, students learn about individualized drug dosing concepts, including:'

🔍 parse_program: starting at line 5753: 'C466 - Medication Dosage Calculations - In Medication Dosage Calculations, students learn about individualized drug dosing concepts, including:'
  ➜ Title candidate: 'C466 - Medication Dosage Calculations - In Medication Dosage Calculations, students learn about individualized drug dosing concepts, including:'
  ❌ Invalid title line: 'C466 - Medication Dosage Calculations - In Medication Dosage Calculations, students learn about individualized drug dosing concepts, including:'
  ➜ Parsing at 5754: 'different measurement systems, solid and liquid medications, calculating dosages based on body weight or body surface area, interpreting drug labels'

🔍 parse_program: starting at line 5754: 'different measurement systems, solid and liquid medications, calculating dosages based on body weight or body surface area, interpreting drug labels'
  ➜ Title candidate: 'different measurement systems, solid and liquid medications, calculating dosages based on body weight or body surface area, interpreting drug labels'
  ❌ Invalid title line: 'different measurement systems, solid and liquid medications, calculating dosages based on body weight or body surface area, interpreting drug labels'
  ➜ Parsing at 5755: 'and abbreviations, and common medication errors.'

🔍 parse_program: starting at line 5755: 'and abbreviations, and common medication errors.'
  ➜ Title candidate: 'and abbreviations, and common medication errors.'
  ❌ Invalid title line: 'and abbreviations, and common medication errors.'
  ➜ Parsing at 5756: 'C467 - Pharmacology - Pharmacology covers concepts in pharmacology including drug classification and effects, the role of the nurse in drug'

🔍 parse_program: starting at line 5756: 'C467 - Pharmacology - Pharmacology covers concepts in pharmacology including drug classification and effects, the role of the nurse in drug'
  ➜ Title candidate: 'C467 - Pharmacology - Pharmacology covers concepts in pharmacology including drug classification and effects, the role of the nurse in drug'
  ❌ Invalid title line: 'C467 - Pharmacology - Pharmacology covers concepts in pharmacology including drug classification and effects, the role of the nurse in drug'
  ➜ Parsing at 5757: 'therapy, preparation and administration of drugs, and ethical and legal issues surrounding medication administration. The Institute of Medicine reports'

🔍 parse_program: starting at line 5757: 'therapy, preparation and administration of drugs, and ethical and legal issues surrounding medication administration. The Institute of Medicine reports'
  ➜ Title candidate: 'therapy, preparation and administration of drugs, and ethical and legal issues surrounding medication administration. The Institute of Medicine reports'
  ❌ Invalid title line: 'therapy, preparation and administration of drugs, and ethical and legal issues surrounding medication administration. The Institute of Medicine reports'
  ➜ Parsing at 5758: 'that cited medication errors as the most common medical errors, costing billions of dollars and harming up to 1.5 million people every year. Medication'

🔍 parse_program: starting at line 5758: 'that cited medication errors as the most common medical errors, costing billions of dollars and harming up to 1.5 million people every year. Medication'
  ➜ Title candidate: 'that cited medication errors as the most common medical errors, costing billions of dollars and harming up to 1.5 million people every year. Medication'
  ❌ Invalid title line: 'that cited medication errors as the most common medical errors, costing billions of dollars and harming up to 1.5 million people every year. Medication'
  ➜ Parsing at 5759: 'errors are often the result of nurses failing to follow proper procedures. The pharmacology course covers the following concepts: the nursing process'

🔍 parse_program: starting at line 5759: 'errors are often the result of nurses failing to follow proper procedures. The pharmacology course covers the following concepts: the nursing process'
  ➜ Title candidate: 'errors are often the result of nurses failing to follow proper procedures. The pharmacology course covers the following concepts: the nursing process'
  ❌ Invalid title line: 'errors are often the result of nurses failing to follow proper procedures. The pharmacology course covers the following concepts: the nursing process'
  ➜ Parsing at 5760: 'in relation to drug therapy; the role of pharmacological principles in nursing; the role of the nurse in pharmacy and lifespan considerations; cultural,'

🔍 parse_program: starting at line 5760: 'in relation to drug therapy; the role of pharmacological principles in nursing; the role of the nurse in pharmacy and lifespan considerations; cultural,'
  ➜ Title candidate: 'in relation to drug therapy; the role of pharmacological principles in nursing; the role of the nurse in pharmacy and lifespan considerations; cultural,'
  ❌ Invalid title line: 'in relation to drug therapy; the role of pharmacological principles in nursing; the role of the nurse in pharmacy and lifespan considerations; cultural,'
  ➜ Parsing at 5761: 'ethical, and legal considerations; education and substance abuse; and gene therapy and pharmacology. This course introduces the nursing student to'

🔍 parse_program: starting at line 5761: 'ethical, and legal considerations; education and substance abuse; and gene therapy and pharmacology. This course introduces the nursing student to'
  ➜ Title candidate: 'ethical, and legal considerations; education and substance abuse; and gene therapy and pharmacology. This course introduces the nursing student to'
  ❌ Invalid title line: 'ethical, and legal considerations; education and substance abuse; and gene therapy and pharmacology. This course introduces the nursing student to'
  ➜ Parsing at 5762: 'these concepts and continues to integrate pharmacology throughout the clinical courses within the program.'

🔍 parse_program: starting at line 5762: 'these concepts and continues to integrate pharmacology throughout the clinical courses within the program.'
  ➜ Title candidate: 'these concepts and continues to integrate pharmacology throughout the clinical courses within the program.'
  ❌ Invalid title line: 'these concepts and continues to integrate pharmacology throughout the clinical courses within the program.'
  ➜ Parsing at 5763: 'C468 - Information Management and the Application of Technology - Information Management and the Application of Technology helps the'

🔍 parse_program: starting at line 5763: 'C468 - Information Management and the Application of Technology - Information Management and the Application of Technology helps the'
  ➜ Title candidate: 'C468 - Information Management and the Application of Technology - Information Management and the Application of Technology helps the'
  ❌ Invalid title line: 'C468 - Information Management and the Application of Technology - Information Management and the Application of Technology helps the'
  ➜ Parsing at 5764: 'student learn how to identify and implement the unique responsibilities of nurses related to the application of technology and the management of'

🔍 parse_program: starting at line 5764: 'student learn how to identify and implement the unique responsibilities of nurses related to the application of technology and the management of'
  ➜ Title candidate: 'student learn how to identify and implement the unique responsibilities of nurses related to the application of technology and the management of'
  ❌ Invalid title line: 'student learn how to identify and implement the unique responsibilities of nurses related to the application of technology and the management of'
  ➜ Parsing at 5765: 'patient information. This includes: understanding the evolving role of nurse informaticists; demonstrating the skills needed to use electronic health'

🔍 parse_program: starting at line 5765: 'patient information. This includes: understanding the evolving role of nurse informaticists; demonstrating the skills needed to use electronic health'
  ➜ Title candidate: 'patient information. This includes: understanding the evolving role of nurse informaticists; demonstrating the skills needed to use electronic health'
  ❌ Invalid title line: 'patient information. This includes: understanding the evolving role of nurse informaticists; demonstrating the skills needed to use electronic health'
  ➜ Parsing at 5766: 'records; identifying nurse-sensitive outcomes that lead to quality improvement measures; supporting the contributions of nurses to patient care;'

🔍 parse_program: starting at line 5766: 'records; identifying nurse-sensitive outcomes that lead to quality improvement measures; supporting the contributions of nurses to patient care;'
  ➜ Title candidate: 'records; identifying nurse-sensitive outcomes that lead to quality improvement measures; supporting the contributions of nurses to patient care;'
  ❌ Invalid title line: 'records; identifying nurse-sensitive outcomes that lead to quality improvement measures; supporting the contributions of nurses to patient care;'
  ➜ Parsing at 5767: 'examining workflow changes related to the implementation of computerized management systems; and learning to analyze the implications of new'

🔍 parse_program: starting at line 5767: 'examining workflow changes related to the implementation of computerized management systems; and learning to analyze the implications of new'
  ➜ Title candidate: 'examining workflow changes related to the implementation of computerized management systems; and learning to analyze the implications of new'
  ❌ Invalid title line: 'examining workflow changes related to the implementation of computerized management systems; and learning to analyze the implications of new'
  ➜ Parsing at 5768: 'technology on security, practice, and research.'

🔍 parse_program: starting at line 5768: 'technology on security, practice, and research.'
  ➜ Title candidate: 'technology on security, practice, and research.'
  ❌ Invalid title line: 'technology on security, practice, and research.'
  ➜ Parsing at 5769: 'C469 - Caring Arts and Science Across the Lifespan Part I - Caring Arts and Science Across the Lifespan Part I introduces nursing fundamentals'

🔍 parse_program: starting at line 5769: 'C469 - Caring Arts and Science Across the Lifespan Part I - Caring Arts and Science Across the Lifespan Part I introduces nursing fundamentals'
  ➜ Title candidate: 'C469 - Caring Arts and Science Across the Lifespan Part I - Caring Arts and Science Across the Lifespan Part I introduces nursing fundamentals'
  ❌ Invalid title line: 'C469 - Caring Arts and Science Across the Lifespan Part I - Caring Arts and Science Across the Lifespan Part I introduces nursing fundamentals'
  ➜ Parsing at 5770: 'which speak to the core of all nursing care by assessing the needs of patients with compassion and respect; advocating for patients and their families;'

🔍 parse_program: starting at line 5770: 'which speak to the core of all nursing care by assessing the needs of patients with compassion and respect; advocating for patients and their families;'
  ➜ Title candidate: 'which speak to the core of all nursing care by assessing the needs of patients with compassion and respect; advocating for patients and their families;'
  ❌ Invalid title line: 'which speak to the core of all nursing care by assessing the needs of patients with compassion and respect; advocating for patients and their families;'
  ➜ Parsing at 5771: 'providing education and comfort; and integrating patient needs into a plan of care that embraces individuality, diversity, and belief. Students continue'

🔍 parse_program: starting at line 5771: 'providing education and comfort; and integrating patient needs into a plan of care that embraces individuality, diversity, and belief. Students continue'
  ➜ Title candidate: 'providing education and comfort; and integrating patient needs into a plan of care that embraces individuality, diversity, and belief. Students continue'
  ❌ Invalid title line: 'providing education and comfort; and integrating patient needs into a plan of care that embraces individuality, diversity, and belief. Students continue'
  ➜ Parsing at 5772: 'to learn about fundamental nursing skills within their didactic environment and will be provided time to practice in a learning lab environment.'

🔍 parse_program: starting at line 5772: 'to learn about fundamental nursing skills within their didactic environment and will be provided time to practice in a learning lab environment.'
  ➜ Title candidate: 'to learn about fundamental nursing skills within their didactic environment and will be provided time to practice in a learning lab environment.'
  ❌ Invalid title line: 'to learn about fundamental nursing skills within their didactic environment and will be provided time to practice in a learning lab environment.'
  ➜ Parsing at 5773: '© Western Governors University 7/19/17 158'

🔍 parse_program: starting at line 5773: '© Western Governors University 7/19/17 158'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'C470 - Caring Arts and Science Across the Lifespan Part I Clinical Learning - This course includes all aspects of clinical learning related to the'
  ➜ Skipping stray line: 'fundamentals of nursing practice. Learning labs will teach and assess task skill knowledge including physical assessment, safe medication'
  ➜ Skipping stray line: 'administration, oxygenation; nutrition, metabolism, & elimination; skin integrity, activity, & mobility; and cognition. Students who are successful in lab'
  ➜ Skipping stray line: 'assessments will progress to live patient clinicals and will be assessed for their mastery of basic levels of the key behaviors for clinical practice of a'
  ➜ Skipping stray line: 'novice nursing student.'
  ➜ Skipping stray line: 'C471 - Caring Arts and Science Across the Lifespan Part II - Caring Arts and Science Across the Lifespan Part II topics include management of'
  ➜ Skipping stray line: 'the perioperative care continuum; patient centered care of the adult; care of the adult with alterations in circulation; car of the adult with alterations in'
  ➜ Skipping stray line: 'cardiovascular function; care of the adult with alterations in oxygenation; care of the adult with alterations in neurosensory function; fundamental'
  ➜ Skipping stray line: 'patient self-determination & advocacy; and end-of-life care. This course incorporates virtual simulations into the didactic course to help students'
  ➜ Skipping stray line: 'prepare for their learning labs and clinical learning experience. Patient scenarios for the virtual simulations include: fluid & electrolyte imbalance; blood'
  ➜ Skipping stray line: 'transfusion reaction; severe reaction to antibiotic; pulmonary embolism; and postoperative complications with a fracture.'
  ➜ Skipping stray line: 'C472 - Caring Arts and Science Across the Lifespan Part II Clinical Learning - The clinical learning course for CASAL II includes all aspects of'
  ➜ Skipping stray line: 'clinical learning related to medical surgical nursing practice. Learning labs will teach and assess task skill knowledge progressing to high fidelity'
  ➜ Skipping stray line: 'simulation scenarios to develop mastery of situated use of knowledge and synthesis of knowledge in clinical scenarios that focus on perioperative'
  ➜ Skipping stray line: 'care. The virtual simulations that students completed in didactic will prepare them for their learning lab scenarios. Students who are successful in lab'
  ➜ Skipping stray line: 'assessments will progress to live patient clinicals and will be assessed for their mastery of basic levels of the key behaviors for clinical practice of'
  ➜ Skipping stray line: 'Medical Surgical nursing.'
  ➜ Skipping stray line: 'C473 - Care of Adults with Complex Illnesses - The Care of Adults with Complex Illnesses course builds on prior knowledge of medical surgical'
  ➜ Skipping stray line: 'nursing care and common conditions, focusing on diseases and conditions that affect the neuromuscular system, the musculoskeletal system, the'
  ➜ Skipping stray line: 'kidneys, the pancreas, and diseases such as cancer and impaired immunity, which affect every part of the body. Students will develop mastery of'
  ➜ Skipping stray line: 'competencies related to advanced medical surgical nursing practice. This course also utilizes virtual simulation scenarios to help students prepare for'
  ➜ Skipping stray line: 'their learning labs and their clinical intensives. Students work through the following patient scenarios: diabetes/hypoglycemia; postop abdominal'
  ➜ Skipping stray line: 'hysterectomy/opioid intoxication; acute severe asthma; acute myocardial infarction; and respiratory system disease.'
  ➜ Skipping stray line: 'C474 - Clinical Learning for Complex Illnesses in Adults - Clinical Care of Adults with Complex Illnesses includes all aspects of clinical learning'
  ➜ Skipping stray line: 'related to advanced medical surgical nursing practice. Learning labs will teach and assess advanced clinical competencies through the use of high'
  ➜ Skipping stray line: 'fidelity simulation and advanced clinical debriefing for clinical scenarios. Students participate in skills related to advance medication administration,'
  ➜ Skipping stray line: 'central venous devices, and peripherally inserted central catheters. The virtual simulations that students completed in didactic will prepare them for'
  ➜ Skipping stray line: 'their learning lab scenarios. Students who are successful in simulation assessments will progress to live patient clinicals and will be assessed for their'
  ➜ Title candidate: 'mastery of advanced levels of the key behaviors for clinical practice of Medical Surgical nursing.'
  ✔️ Collected description (1790 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 5774: 'C470 - Caring Arts and Science Across the Lifespan Part I Clinical Learning - This course includes all aspects of clinical learning related to the'

🔍 parse_program: starting at line 5774: 'C470 - Caring Arts and Science Across the Lifespan Part I Clinical Learning - This course includes all aspects of clinical learning related to the'
  ➜ Title candidate: 'C470 - Caring Arts and Science Across the Lifespan Part I Clinical Learning - This course includes all aspects of clinical learning related to the'
  ❌ Invalid title line: 'C470 - Caring Arts and Science Across the Lifespan Part I Clinical Learning - This course includes all aspects of clinical learning related to the'
  ➜ Parsing at 5775: 'fundamentals of nursing practice. Learning labs will teach and assess task skill knowledge including physical assessment, safe medication'

🔍 parse_program: starting at line 5775: 'fundamentals of nursing practice. Learning labs will teach and assess task skill knowledge including physical assessment, safe medication'
  ➜ Title candidate: 'fundamentals of nursing practice. Learning labs will teach and assess task skill knowledge including physical assessment, safe medication'
  ❌ Invalid title line: 'fundamentals of nursing practice. Learning labs will teach and assess task skill knowledge including physical assessment, safe medication'
  ➜ Parsing at 5776: 'administration, oxygenation; nutrition, metabolism, & elimination; skin integrity, activity, & mobility; and cognition. Students who are successful in lab'

🔍 parse_program: starting at line 5776: 'administration, oxygenation; nutrition, metabolism, & elimination; skin integrity, activity, & mobility; and cognition. Students who are successful in lab'
  ➜ Title candidate: 'administration, oxygenation; nutrition, metabolism, & elimination; skin integrity, activity, & mobility; and cognition. Students who are successful in lab'
  ❌ Invalid title line: 'administration, oxygenation; nutrition, metabolism, & elimination; skin integrity, activity, & mobility; and cognition. Students who are successful in lab'
  ➜ Parsing at 5777: 'assessments will progress to live patient clinicals and will be assessed for their mastery of basic levels of the key behaviors for clinical practice of a'

🔍 parse_program: starting at line 5777: 'assessments will progress to live patient clinicals and will be assessed for their mastery of basic levels of the key behaviors for clinical practice of a'
  ➜ Title candidate: 'assessments will progress to live patient clinicals and will be assessed for their mastery of basic levels of the key behaviors for clinical practice of a'
  ❌ Invalid title line: 'assessments will progress to live patient clinicals and will be assessed for their mastery of basic levels of the key behaviors for clinical practice of a'
  ➜ Parsing at 5778: 'novice nursing student.'

🔍 parse_program: starting at line 5778: 'novice nursing student.'
  ➜ Title candidate: 'novice nursing student.'
  ❌ Invalid title line: 'novice nursing student.'
  ➜ Parsing at 5779: 'C471 - Caring Arts and Science Across the Lifespan Part II - Caring Arts and Science Across the Lifespan Part II topics include management of'

🔍 parse_program: starting at line 5779: 'C471 - Caring Arts and Science Across the Lifespan Part II - Caring Arts and Science Across the Lifespan Part II topics include management of'
  ➜ Title candidate: 'C471 - Caring Arts and Science Across the Lifespan Part II - Caring Arts and Science Across the Lifespan Part II topics include management of'
  ❌ Invalid title line: 'C471 - Caring Arts and Science Across the Lifespan Part II - Caring Arts and Science Across the Lifespan Part II topics include management of'
  ➜ Parsing at 5780: 'the perioperative care continuum; patient centered care of the adult; care of the adult with alterations in circulation; car of the adult with alterations in'

🔍 parse_program: starting at line 5780: 'the perioperative care continuum; patient centered care of the adult; care of the adult with alterations in circulation; car of the adult with alterations in'
  ➜ Title candidate: 'the perioperative care continuum; patient centered care of the adult; care of the adult with alterations in circulation; car of the adult with alterations in'
  ❌ Invalid title line: 'the perioperative care continuum; patient centered care of the adult; care of the adult with alterations in circulation; car of the adult with alterations in'
  ➜ Parsing at 5781: 'cardiovascular function; care of the adult with alterations in oxygenation; care of the adult with alterations in neurosensory function; fundamental'

🔍 parse_program: starting at line 5781: 'cardiovascular function; care of the adult with alterations in oxygenation; care of the adult with alterations in neurosensory function; fundamental'
  ➜ Title candidate: 'cardiovascular function; care of the adult with alterations in oxygenation; care of the adult with alterations in neurosensory function; fundamental'
  ❌ Invalid title line: 'cardiovascular function; care of the adult with alterations in oxygenation; care of the adult with alterations in neurosensory function; fundamental'
  ➜ Parsing at 5782: 'patient self-determination & advocacy; and end-of-life care. This course incorporates virtual simulations into the didactic course to help students'

🔍 parse_program: starting at line 5782: 'patient self-determination & advocacy; and end-of-life care. This course incorporates virtual simulations into the didactic course to help students'
  ➜ Title candidate: 'patient self-determination & advocacy; and end-of-life care. This course incorporates virtual simulations into the didactic course to help students'
  ❌ Invalid title line: 'patient self-determination & advocacy; and end-of-life care. This course incorporates virtual simulations into the didactic course to help students'
  ➜ Parsing at 5783: 'prepare for their learning labs and clinical learning experience. Patient scenarios for the virtual simulations include: fluid & electrolyte imbalance; blood'

🔍 parse_program: starting at line 5783: 'prepare for their learning labs and clinical learning experience. Patient scenarios for the virtual simulations include: fluid & electrolyte imbalance; blood'
  ➜ Title candidate: 'prepare for their learning labs and clinical learning experience. Patient scenarios for the virtual simulations include: fluid & electrolyte imbalance; blood'
  ❌ Invalid title line: 'prepare for their learning labs and clinical learning experience. Patient scenarios for the virtual simulations include: fluid & electrolyte imbalance; blood'
  ➜ Parsing at 5784: 'transfusion reaction; severe reaction to antibiotic; pulmonary embolism; and postoperative complications with a fracture.'

🔍 parse_program: starting at line 5784: 'transfusion reaction; severe reaction to antibiotic; pulmonary embolism; and postoperative complications with a fracture.'
  ➜ Title candidate: 'transfusion reaction; severe reaction to antibiotic; pulmonary embolism; and postoperative complications with a fracture.'
  ❌ Invalid title line: 'transfusion reaction; severe reaction to antibiotic; pulmonary embolism; and postoperative complications with a fracture.'
  ➜ Parsing at 5785: 'C472 - Caring Arts and Science Across the Lifespan Part II Clinical Learning - The clinical learning course for CASAL II includes all aspects of'

🔍 parse_program: starting at line 5785: 'C472 - Caring Arts and Science Across the Lifespan Part II Clinical Learning - The clinical learning course for CASAL II includes all aspects of'
  ➜ Title candidate: 'C472 - Caring Arts and Science Across the Lifespan Part II Clinical Learning - The clinical learning course for CASAL II includes all aspects of'
  ❌ Invalid title line: 'C472 - Caring Arts and Science Across the Lifespan Part II Clinical Learning - The clinical learning course for CASAL II includes all aspects of'
  ➜ Parsing at 5786: 'clinical learning related to medical surgical nursing practice. Learning labs will teach and assess task skill knowledge progressing to high fidelity'

🔍 parse_program: starting at line 5786: 'clinical learning related to medical surgical nursing practice. Learning labs will teach and assess task skill knowledge progressing to high fidelity'
  ➜ Title candidate: 'clinical learning related to medical surgical nursing practice. Learning labs will teach and assess task skill knowledge progressing to high fidelity'
  ❌ Invalid title line: 'clinical learning related to medical surgical nursing practice. Learning labs will teach and assess task skill knowledge progressing to high fidelity'
  ➜ Parsing at 5787: 'simulation scenarios to develop mastery of situated use of knowledge and synthesis of knowledge in clinical scenarios that focus on perioperative'

🔍 parse_program: starting at line 5787: 'simulation scenarios to develop mastery of situated use of knowledge and synthesis of knowledge in clinical scenarios that focus on perioperative'
  ➜ Title candidate: 'simulation scenarios to develop mastery of situated use of knowledge and synthesis of knowledge in clinical scenarios that focus on perioperative'
  ❌ Invalid title line: 'simulation scenarios to develop mastery of situated use of knowledge and synthesis of knowledge in clinical scenarios that focus on perioperative'
  ➜ Parsing at 5788: 'care. The virtual simulations that students completed in didactic will prepare them for their learning lab scenarios. Students who are successful in lab'

🔍 parse_program: starting at line 5788: 'care. The virtual simulations that students completed in didactic will prepare them for their learning lab scenarios. Students who are successful in lab'
  ➜ Title candidate: 'care. The virtual simulations that students completed in didactic will prepare them for their learning lab scenarios. Students who are successful in lab'
  ❌ Invalid title line: 'care. The virtual simulations that students completed in didactic will prepare them for their learning lab scenarios. Students who are successful in lab'
  ➜ Parsing at 5789: 'assessments will progress to live patient clinicals and will be assessed for their mastery of basic levels of the key behaviors for clinical practice of'

🔍 parse_program: starting at line 5789: 'assessments will progress to live patient clinicals and will be assessed for their mastery of basic levels of the key behaviors for clinical practice of'
  ➜ Title candidate: 'assessments will progress to live patient clinicals and will be assessed for their mastery of basic levels of the key behaviors for clinical practice of'
  ❌ Invalid title line: 'assessments will progress to live patient clinicals and will be assessed for their mastery of basic levels of the key behaviors for clinical practice of'
  ➜ Parsing at 5790: 'Medical Surgical nursing.'

🔍 parse_program: starting at line 5790: 'Medical Surgical nursing.'
  ➜ Title candidate: 'Medical Surgical nursing.'
  ❌ Invalid title line: 'Medical Surgical nursing.'
  ➜ Parsing at 5791: 'C473 - Care of Adults with Complex Illnesses - The Care of Adults with Complex Illnesses course builds on prior knowledge of medical surgical'

🔍 parse_program: starting at line 5791: 'C473 - Care of Adults with Complex Illnesses - The Care of Adults with Complex Illnesses course builds on prior knowledge of medical surgical'
  ➜ Title candidate: 'C473 - Care of Adults with Complex Illnesses - The Care of Adults with Complex Illnesses course builds on prior knowledge of medical surgical'
  ❌ Invalid title line: 'C473 - Care of Adults with Complex Illnesses - The Care of Adults with Complex Illnesses course builds on prior knowledge of medical surgical'
  ➜ Parsing at 5792: 'nursing care and common conditions, focusing on diseases and conditions that affect the neuromuscular system, the musculoskeletal system, the'

🔍 parse_program: starting at line 5792: 'nursing care and common conditions, focusing on diseases and conditions that affect the neuromuscular system, the musculoskeletal system, the'
  ➜ Title candidate: 'nursing care and common conditions, focusing on diseases and conditions that affect the neuromuscular system, the musculoskeletal system, the'
  ❌ Invalid title line: 'nursing care and common conditions, focusing on diseases and conditions that affect the neuromuscular system, the musculoskeletal system, the'
  ➜ Parsing at 5793: 'kidneys, the pancreas, and diseases such as cancer and impaired immunity, which affect every part of the body. Students will develop mastery of'

🔍 parse_program: starting at line 5793: 'kidneys, the pancreas, and diseases such as cancer and impaired immunity, which affect every part of the body. Students will develop mastery of'
  ➜ Title candidate: 'kidneys, the pancreas, and diseases such as cancer and impaired immunity, which affect every part of the body. Students will develop mastery of'
  ❌ Invalid title line: 'kidneys, the pancreas, and diseases such as cancer and impaired immunity, which affect every part of the body. Students will develop mastery of'
  ➜ Parsing at 5794: 'competencies related to advanced medical surgical nursing practice. This course also utilizes virtual simulation scenarios to help students prepare for'

🔍 parse_program: starting at line 5794: 'competencies related to advanced medical surgical nursing practice. This course also utilizes virtual simulation scenarios to help students prepare for'
  ➜ Title candidate: 'competencies related to advanced medical surgical nursing practice. This course also utilizes virtual simulation scenarios to help students prepare for'
  ❌ Invalid title line: 'competencies related to advanced medical surgical nursing practice. This course also utilizes virtual simulation scenarios to help students prepare for'
  ➜ Parsing at 5795: 'their learning labs and their clinical intensives. Students work through the following patient scenarios: diabetes/hypoglycemia; postop abdominal'

🔍 parse_program: starting at line 5795: 'their learning labs and their clinical intensives. Students work through the following patient scenarios: diabetes/hypoglycemia; postop abdominal'
  ➜ Title candidate: 'their learning labs and their clinical intensives. Students work through the following patient scenarios: diabetes/hypoglycemia; postop abdominal'
  ❌ Invalid title line: 'their learning labs and their clinical intensives. Students work through the following patient scenarios: diabetes/hypoglycemia; postop abdominal'
  ➜ Parsing at 5796: 'hysterectomy/opioid intoxication; acute severe asthma; acute myocardial infarction; and respiratory system disease.'

🔍 parse_program: starting at line 5796: 'hysterectomy/opioid intoxication; acute severe asthma; acute myocardial infarction; and respiratory system disease.'
  ➜ Title candidate: 'hysterectomy/opioid intoxication; acute severe asthma; acute myocardial infarction; and respiratory system disease.'
  ❌ Invalid title line: 'hysterectomy/opioid intoxication; acute severe asthma; acute myocardial infarction; and respiratory system disease.'
  ➜ Parsing at 5797: 'C474 - Clinical Learning for Complex Illnesses in Adults - Clinical Care of Adults with Complex Illnesses includes all aspects of clinical learning'

🔍 parse_program: starting at line 5797: 'C474 - Clinical Learning for Complex Illnesses in Adults - Clinical Care of Adults with Complex Illnesses includes all aspects of clinical learning'
  ➜ Title candidate: 'C474 - Clinical Learning for Complex Illnesses in Adults - Clinical Care of Adults with Complex Illnesses includes all aspects of clinical learning'
  ❌ Invalid title line: 'C474 - Clinical Learning for Complex Illnesses in Adults - Clinical Care of Adults with Complex Illnesses includes all aspects of clinical learning'
  ➜ Parsing at 5798: 'related to advanced medical surgical nursing practice. Learning labs will teach and assess advanced clinical competencies through the use of high'

🔍 parse_program: starting at line 5798: 'related to advanced medical surgical nursing practice. Learning labs will teach and assess advanced clinical competencies through the use of high'
  ➜ Title candidate: 'related to advanced medical surgical nursing practice. Learning labs will teach and assess advanced clinical competencies through the use of high'
  ❌ Invalid title line: 'related to advanced medical surgical nursing practice. Learning labs will teach and assess advanced clinical competencies through the use of high'
  ➜ Parsing at 5799: 'fidelity simulation and advanced clinical debriefing for clinical scenarios. Students participate in skills related to advance medication administration,'

🔍 parse_program: starting at line 5799: 'fidelity simulation and advanced clinical debriefing for clinical scenarios. Students participate in skills related to advance medication administration,'
  ➜ Title candidate: 'fidelity simulation and advanced clinical debriefing for clinical scenarios. Students participate in skills related to advance medication administration,'
  ❌ Invalid title line: 'fidelity simulation and advanced clinical debriefing for clinical scenarios. Students participate in skills related to advance medication administration,'
  ➜ Parsing at 5800: 'central venous devices, and peripherally inserted central catheters. The virtual simulations that students completed in didactic will prepare them for'

🔍 parse_program: starting at line 5800: 'central venous devices, and peripherally inserted central catheters. The virtual simulations that students completed in didactic will prepare them for'
  ➜ Title candidate: 'central venous devices, and peripherally inserted central catheters. The virtual simulations that students completed in didactic will prepare them for'
  ❌ Invalid title line: 'central venous devices, and peripherally inserted central catheters. The virtual simulations that students completed in didactic will prepare them for'
  ➜ Parsing at 5801: 'their learning lab scenarios. Students who are successful in simulation assessments will progress to live patient clinicals and will be assessed for their'

🔍 parse_program: starting at line 5801: 'their learning lab scenarios. Students who are successful in simulation assessments will progress to live patient clinicals and will be assessed for their'
  ➜ Title candidate: 'their learning lab scenarios. Students who are successful in simulation assessments will progress to live patient clinicals and will be assessed for their'
  ❌ Invalid title line: 'their learning lab scenarios. Students who are successful in simulation assessments will progress to live patient clinicals and will be assessed for their'
  ➜ Parsing at 5802: 'mastery of advanced levels of the key behaviors for clinical practice of Medical Surgical nursing.'

🔍 parse_program: starting at line 5802: 'mastery of advanced levels of the key behaviors for clinical practice of Medical Surgical nursing.'
  ➜ Title candidate: 'mastery of advanced levels of the key behaviors for clinical practice of Medical Surgical nursing.'
  ✔️ Collected description (1790 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 5803: 'C475 - Care of the Older Adult - Care of the Older Adult adapts the concepts from prior coursework to the care of older adults. An understanding of'

🔍 parse_program: starting at line 5803: 'C475 - Care of the Older Adult - Care of the Older Adult adapts the concepts from prior coursework to the care of older adults. An understanding of'
  ➜ Title candidate: 'C475 - Care of the Older Adult - Care of the Older Adult adapts the concepts from prior coursework to the care of older adults. An understanding of'
  ❌ Invalid title line: 'C475 - Care of the Older Adult - Care of the Older Adult adapts the concepts from prior coursework to the care of older adults. An understanding of'
  ➜ Parsing at 5804: 'the effects that policy and legislation have on how healthcare systems treat aging patients sets a foundation for improving their care. Students will'

🔍 parse_program: starting at line 5804: 'the effects that policy and legislation have on how healthcare systems treat aging patients sets a foundation for improving their care. Students will'
  ➜ Title candidate: 'the effects that policy and legislation have on how healthcare systems treat aging patients sets a foundation for improving their care. Students will'
  ❌ Invalid title line: 'the effects that policy and legislation have on how healthcare systems treat aging patients sets a foundation for improving their care. Students will'
  ➜ Parsing at 5805: 'apply health assessment skills and evidence-based standards in such a way to account for the specific needs of older adults. Emphasis is placed on'

🔍 parse_program: starting at line 5805: 'apply health assessment skills and evidence-based standards in such a way to account for the specific needs of older adults. Emphasis is placed on'
  ➜ Title candidate: 'apply health assessment skills and evidence-based standards in such a way to account for the specific needs of older adults. Emphasis is placed on'
  ❌ Invalid title line: 'apply health assessment skills and evidence-based standards in such a way to account for the specific needs of older adults. Emphasis is placed on'
  ➜ Parsing at 5806: 'the importance of maintaining the dignity of older adults by focusing on cultural, religious, spiritual, and communication needs and by collaborating on'

🔍 parse_program: starting at line 5806: 'the importance of maintaining the dignity of older adults by focusing on cultural, religious, spiritual, and communication needs and by collaborating on'
  ➜ Title candidate: 'the importance of maintaining the dignity of older adults by focusing on cultural, religious, spiritual, and communication needs and by collaborating on'
  ❌ Invalid title line: 'the importance of maintaining the dignity of older adults by focusing on cultural, religious, spiritual, and communication needs and by collaborating on'
  ➜ Parsing at 5807: 'care with older adults, families, and caregivers.'

🔍 parse_program: starting at line 5807: 'care with older adults, families, and caregivers.'
  ➜ Title candidate: 'care with older adults, families, and caregivers.'
  ❌ Invalid title line: 'care with older adults, families, and caregivers.'
  ➜ Parsing at 5808: 'C476 - Psychiatric and Mental Health Nursing - In Psych/Mental Health, students will discover the many faces of mental illness and the role that the'

🔍 parse_program: starting at line 5808: 'C476 - Psychiatric and Mental Health Nursing - In Psych/Mental Health, students will discover the many faces of mental illness and the role that the'
  ➜ Title candidate: 'C476 - Psychiatric and Mental Health Nursing - In Psych/Mental Health, students will discover the many faces of mental illness and the role that the'
  ❌ Invalid title line: 'C476 - Psychiatric and Mental Health Nursing - In Psych/Mental Health, students will discover the many faces of mental illness and the role that the'
  ➜ Parsing at 5809: 'nursing profession plays in managing care of patients and families struggling with a mental illness. Caring for patients with mental illness requires'

🔍 parse_program: starting at line 5809: 'nursing profession plays in managing care of patients and families struggling with a mental illness. Caring for patients with mental illness requires'
  ➜ Title candidate: 'nursing profession plays in managing care of patients and families struggling with a mental illness. Caring for patients with mental illness requires'
  ❌ Invalid title line: 'nursing profession plays in managing care of patients and families struggling with a mental illness. Caring for patients with mental illness requires'
  ➜ Parsing at 5810: 'patience and true compassion, a commitment to patient advocacy, and an in-depth understanding of psychopharmacology. Students will work through'

🔍 parse_program: starting at line 5810: 'patience and true compassion, a commitment to patient advocacy, and an in-depth understanding of psychopharmacology. Students will work through'
  ➜ Title candidate: 'patience and true compassion, a commitment to patient advocacy, and an in-depth understanding of psychopharmacology. Students will work through'
  ❌ Invalid title line: 'patience and true compassion, a commitment to patient advocacy, and an in-depth understanding of psychopharmacology. Students will work through'
  ➜ Parsing at 5811: 'current issues in mental health; take a look at ethical and legal issues in mental health; review foundations of practice and nursing assessment; learn'

🔍 parse_program: starting at line 5811: 'current issues in mental health; take a look at ethical and legal issues in mental health; review foundations of practice and nursing assessment; learn'
  ➜ Title candidate: 'current issues in mental health; take a look at ethical and legal issues in mental health; review foundations of practice and nursing assessment; learn'
  ❌ Invalid title line: 'current issues in mental health; take a look at ethical and legal issues in mental health; review foundations of practice and nursing assessment; learn'
  ➜ Parsing at 5812: 'about therapeutic interventions and crisis management; learn about various mental health disorders and the care of these patients.'

🔍 parse_program: starting at line 5812: 'about therapeutic interventions and crisis management; learn about various mental health disorders and the care of these patients.'
  ➜ Title candidate: 'about therapeutic interventions and crisis management; learn about various mental health disorders and the care of these patients.'
  ❌ Invalid title line: 'about therapeutic interventions and crisis management; learn about various mental health disorders and the care of these patients.'
  ➜ Parsing at 5813: 'C477 - Nursing Care of Children - Nursing Care of Children explores the many facets of the pediatric population. The course materials cover the'

🔍 parse_program: starting at line 5813: 'C477 - Nursing Care of Children - Nursing Care of Children explores the many facets of the pediatric population. The course materials cover the'
  ➜ Title candidate: 'C477 - Nursing Care of Children - Nursing Care of Children explores the many facets of the pediatric population. The course materials cover the'
  ❌ Invalid title line: 'C477 - Nursing Care of Children - Nursing Care of Children explores the many facets of the pediatric population. The course materials cover the'
  ➜ Parsing at 5814: 'following topics: well-child care; growth and development; immunizations; community health; health trends in pediatrics; disease processes of the'

🔍 parse_program: starting at line 5814: 'following topics: well-child care; growth and development; immunizations; community health; health trends in pediatrics; disease processes of the'
  ➜ Title candidate: 'following topics: well-child care; growth and development; immunizations; community health; health trends in pediatrics; disease processes of the'
  ❌ Invalid title line: 'following topics: well-child care; growth and development; immunizations; community health; health trends in pediatrics; disease processes of the'
  ➜ Parsing at 5815: 'cardio-pulmonary system, the neurological system, gastrointestinal system, genitourinary system, respiratory system, integumentary system,'

🔍 parse_program: starting at line 5815: 'cardio-pulmonary system, the neurological system, gastrointestinal system, genitourinary system, respiratory system, integumentary system,'
  ➜ Title candidate: 'cardio-pulmonary system, the neurological system, gastrointestinal system, genitourinary system, respiratory system, integumentary system,'
  ❌ Invalid title line: 'cardio-pulmonary system, the neurological system, gastrointestinal system, genitourinary system, respiratory system, integumentary system,'
  ➜ Parsing at 5816: 'endocrine system, musculoskeletal and neuromusculoskeletal system; safe administration of medications, pain management, and hospitalization of'

🔍 parse_program: starting at line 5816: 'endocrine system, musculoskeletal and neuromusculoskeletal system; safe administration of medications, pain management, and hospitalization of'
  ➜ Title candidate: 'endocrine system, musculoskeletal and neuromusculoskeletal system; safe administration of medications, pain management, and hospitalization of'
  ❌ Invalid title line: 'endocrine system, musculoskeletal and neuromusculoskeletal system; safe administration of medications, pain management, and hospitalization of'
  ➜ Parsing at 5817: 'the pediatric population. This course also utilizes the virtual simulations to prepare students for their learning lab and clinical experience. The'

🔍 parse_program: starting at line 5817: 'the pediatric population. This course also utilizes the virtual simulations to prepare students for their learning lab and clinical experience. The'
  ➜ Title candidate: 'the pediatric population. This course also utilizes the virtual simulations to prepare students for their learning lab and clinical experience. The'
  ❌ Invalid title line: 'the pediatric population. This course also utilizes the virtual simulations to prepare students for their learning lab and clinical experience. The'
  ➜ Parsing at 5818: 'scenarios covered with the virtual simulations include: anaphylaxis; pneumonia leading to respiratory distress (asthma); dehydration; generalized'

🔍 parse_program: starting at line 5818: 'scenarios covered with the virtual simulations include: anaphylaxis; pneumonia leading to respiratory distress (asthma); dehydration; generalized'
  ➜ Title candidate: 'scenarios covered with the virtual simulations include: anaphylaxis; pneumonia leading to respiratory distress (asthma); dehydration; generalized'
  ❌ Invalid title line: 'scenarios covered with the virtual simulations include: anaphylaxis; pneumonia leading to respiratory distress (asthma); dehydration; generalized'
  ➜ Parsing at 5819: 'tonic-clonic seizures; and sickle cell anemia.'

🔍 parse_program: starting at line 5819: 'tonic-clonic seizures; and sickle cell anemia.'
  ➜ Title candidate: 'tonic-clonic seizures; and sickle cell anemia.'
  ❌ Invalid title line: 'tonic-clonic seizures; and sickle cell anemia.'
  ➜ Parsing at 5820: 'C478 - Critical Care Nursing Clinical Learning - The clinical learning course for Critical Care Nursing includes all aspects of clinical learning related'

🔍 parse_program: starting at line 5820: 'C478 - Critical Care Nursing Clinical Learning - The clinical learning course for Critical Care Nursing includes all aspects of clinical learning related'
  ➜ Title candidate: 'C478 - Critical Care Nursing Clinical Learning - The clinical learning course for Critical Care Nursing includes all aspects of clinical learning related'
  ❌ Invalid title line: 'C478 - Critical Care Nursing Clinical Learning - The clinical learning course for Critical Care Nursing includes all aspects of clinical learning related'
  ➜ Parsing at 5821: 'to critical care nursing practice. Learning labs will teach and assess advanced clinical competencies through the use of high fidelity simulation and'

🔍 parse_program: starting at line 5821: 'to critical care nursing practice. Learning labs will teach and assess advanced clinical competencies through the use of high fidelity simulation and'
  ➜ Title candidate: 'to critical care nursing practice. Learning labs will teach and assess advanced clinical competencies through the use of high fidelity simulation and'
  ❌ Invalid title line: 'to critical care nursing practice. Learning labs will teach and assess advanced clinical competencies through the use of high fidelity simulation and'
  ➜ Parsing at 5822: 'advanced clinical debriefing for clinical scenarios. Students engage in scenarios that represent patients with hip fracture, gastrointestinal bleeding,'

🔍 parse_program: starting at line 5822: 'advanced clinical debriefing for clinical scenarios. Students engage in scenarios that represent patients with hip fracture, gastrointestinal bleeding,'
  ➜ Title candidate: 'advanced clinical debriefing for clinical scenarios. Students engage in scenarios that represent patients with hip fracture, gastrointestinal bleeding,'
  ❌ Invalid title line: 'advanced clinical debriefing for clinical scenarios. Students engage in scenarios that represent patients with hip fracture, gastrointestinal bleeding,'
  ➜ Parsing at 5823: 'pancreatitis, acute kidney injury, congestive heart failure, and cerebrovascular accident. Students who are successful in simulation assessments will'

🔍 parse_program: starting at line 5823: 'pancreatitis, acute kidney injury, congestive heart failure, and cerebrovascular accident. Students who are successful in simulation assessments will'
  ➜ Title candidate: 'pancreatitis, acute kidney injury, congestive heart failure, and cerebrovascular accident. Students who are successful in simulation assessments will'
  ❌ Invalid title line: 'pancreatitis, acute kidney injury, congestive heart failure, and cerebrovascular accident. Students who are successful in simulation assessments will'
  ➜ Parsing at 5824: 'progress to live patient clinicals and will be assessed for their mastery of advanced levels of the key behaviors for clinical practice of Critical Care'

🔍 parse_program: starting at line 5824: 'progress to live patient clinicals and will be assessed for their mastery of advanced levels of the key behaviors for clinical practice of Critical Care'
  ➜ Title candidate: 'progress to live patient clinicals and will be assessed for their mastery of advanced levels of the key behaviors for clinical practice of Critical Care'
  ❌ Invalid title line: 'progress to live patient clinicals and will be assessed for their mastery of advanced levels of the key behaviors for clinical practice of Critical Care'
  ➜ Parsing at 5825: 'nursing.'

🔍 parse_program: starting at line 5825: 'nursing.'
  ➜ Title candidate: 'nursing.'
  ❌ Invalid title line: 'nursing.'
  ➜ Parsing at 5826: 'C480 - Networks - Networks focuses on: network topologies including: protocols, ports, addressing schemes, routing, and wireless communication'

🔍 parse_program: starting at line 5826: 'C480 - Networks - Networks focuses on: network topologies including: protocols, ports, addressing schemes, routing, and wireless communication'
  ➜ Title candidate: 'C480 - Networks - Networks focuses on: network topologies including: protocols, ports, addressing schemes, routing, and wireless communication'
  ❌ Invalid title line: 'C480 - Networks - Networks focuses on: network topologies including: protocols, ports, addressing schemes, routing, and wireless communication'
  ➜ Parsing at 5827: 'standards; physical and logical topologies, including wiring standards; differentiating, installing, and configuring network devices; and troubleshooting'

🔍 parse_program: starting at line 5827: 'standards; physical and logical topologies, including wiring standards; differentiating, installing, and configuring network devices; and troubleshooting'
  ➜ Title candidate: 'standards; physical and logical topologies, including wiring standards; differentiating, installing, and configuring network devices; and troubleshooting'
  ❌ Invalid title line: 'standards; physical and logical topologies, including wiring standards; differentiating, installing, and configuring network devices; and troubleshooting'
  ➜ Parsing at 5828: 'network connectivity. This course prepares students for the following certification exam: CompTIA Network+.'

🔍 parse_program: starting at line 5828: 'network connectivity. This course prepares students for the following certification exam: CompTIA Network+.'
  ➜ Title candidate: 'network connectivity. This course prepares students for the following certification exam: CompTIA Network+.'
  ❌ Invalid title line: 'network connectivity. This course prepares students for the following certification exam: CompTIA Network+.'
  ➜ Parsing at 5829: 'C482 - Software I - Software I builds object-oriented programming expertise and introduces powerful new tools for Java application development. You'

🔍 parse_program: starting at line 5829: 'C482 - Software I - Software I builds object-oriented programming expertise and introduces powerful new tools for Java application development. You'
  ➜ Title candidate: 'C482 - Software I - Software I builds object-oriented programming expertise and introduces powerful new tools for Java application development. You'
  ❌ Invalid title line: 'C482 - Software I - Software I builds object-oriented programming expertise and introduces powerful new tools for Java application development. You'
  ➜ Parsing at 5830: 'will learn about and put into action class design, exception handling, and other object-oriented principles and constructs to develop software that'

🔍 parse_program: starting at line 5830: 'will learn about and put into action class design, exception handling, and other object-oriented principles and constructs to develop software that'
  ➜ Title candidate: 'will learn about and put into action class design, exception handling, and other object-oriented principles and constructs to develop software that'
  ❌ Invalid title line: 'will learn about and put into action class design, exception handling, and other object-oriented principles and constructs to develop software that'
  ➜ Parsing at 5831: 'meets business requirements. This course requires foundational knowledge of object-oriented programming and the Java language.'

🔍 parse_program: starting at line 5831: 'meets business requirements. This course requires foundational knowledge of object-oriented programming and the Java language.'
  ➜ Title candidate: 'meets business requirements. This course requires foundational knowledge of object-oriented programming and the Java language.'
  ❌ Invalid title line: 'meets business requirements. This course requires foundational knowledge of object-oriented programming and the Java language.'
  ➜ Parsing at 5832: 'C483 - Principles of Management - This course addresses strategic planning, total quality, entrepreneurship, conflict and change,'

🔍 parse_program: starting at line 5832: 'C483 - Principles of Management - This course addresses strategic planning, total quality, entrepreneurship, conflict and change,'
  ➜ Title candidate: 'C483 - Principles of Management - This course addresses strategic planning, total quality, entrepreneurship, conflict and change,'
  ❌ Invalid title line: 'C483 - Principles of Management - This course addresses strategic planning, total quality, entrepreneurship, conflict and change,'
  ➜ Parsing at 5833: 'human resource management, diversity, and organizational structure.'

🔍 parse_program: starting at line 5833: 'human resource management, diversity, and organizational structure.'
  ➜ Title candidate: 'human resource management, diversity, and organizational structure.'
  ❌ Invalid title line: 'human resource management, diversity, and organizational structure.'
  ➜ Parsing at 5834: 'C484 - Organizational Behavior and Leadership - Organizational Behavior and Leadership explores how to lead and manage effectively in diverse'

🔍 parse_program: starting at line 5834: 'C484 - Organizational Behavior and Leadership - Organizational Behavior and Leadership explores how to lead and manage effectively in diverse'
  ➜ Title candidate: 'C484 - Organizational Behavior and Leadership - Organizational Behavior and Leadership explores how to lead and manage effectively in diverse'
  ❌ Invalid title line: 'C484 - Organizational Behavior and Leadership - Organizational Behavior and Leadership explores how to lead and manage effectively in diverse'
  ➜ Parsing at 5835: 'business environments. Students are asked to demonstrate the ability to apply organizational leadership theories and management strategies in a'

🔍 parse_program: starting at line 5835: 'business environments. Students are asked to demonstrate the ability to apply organizational leadership theories and management strategies in a'
  ➜ Title candidate: 'business environments. Students are asked to demonstrate the ability to apply organizational leadership theories and management strategies in a'
  ❌ Invalid title line: 'business environments. Students are asked to demonstrate the ability to apply organizational leadership theories and management strategies in a'
  ➜ Parsing at 5836: 'series of scenario-based problems.'

🔍 parse_program: starting at line 5836: 'series of scenario-based problems.'
  ➜ Title candidate: 'series of scenario-based problems.'
  ❌ Invalid title line: 'series of scenario-based problems.'
  ➜ Parsing at 5837: 'C486 - Organizational Systems: Safety and Regulation - The Organizational Systems course of study presents the required sequence of learning'

🔍 parse_program: starting at line 5837: 'C486 - Organizational Systems: Safety and Regulation - The Organizational Systems course of study presents the required sequence of learning'
  ➜ Title candidate: 'C486 - Organizational Systems: Safety and Regulation - The Organizational Systems course of study presents the required sequence of learning'
  ❌ Invalid title line: 'C486 - Organizational Systems: Safety and Regulation - The Organizational Systems course of study presents the required sequence of learning'
  ➜ Parsing at 5838: 'activities developed to assist you in achieving competency in the safety and regulatory requirements mandated by the Joint Commission and'

🔍 parse_program: starting at line 5838: 'activities developed to assist you in achieving competency in the safety and regulatory requirements mandated by the Joint Commission and'
  ➜ Title candidate: 'activities developed to assist you in achieving competency in the safety and regulatory requirements mandated by the Joint Commission and'
  ❌ Invalid title line: 'activities developed to assist you in achieving competency in the safety and regulatory requirements mandated by the Joint Commission and'
  ➜ Parsing at 5839: 'Occupational Safety and Health Association (OSHA) Competency will be evaluated by completion of four modules in HealthStream. This course'

🔍 parse_program: starting at line 5839: 'Occupational Safety and Health Association (OSHA) Competency will be evaluated by completion of four modules in HealthStream. This course'
  ➜ Title candidate: 'Occupational Safety and Health Association (OSHA) Competency will be evaluated by completion of four modules in HealthStream. This course'
  ❌ Invalid title line: 'Occupational Safety and Health Association (OSHA) Competency will be evaluated by completion of four modules in HealthStream. This course'
  ➜ Parsing at 5840: 'represents one competency unit and should be completed in one week. Learning activities are presented in a sequential order and often build upon'

🔍 parse_program: starting at line 5840: 'represents one competency unit and should be completed in one week. Learning activities are presented in a sequential order and often build upon'
  ➜ Title candidate: 'represents one competency unit and should be completed in one week. Learning activities are presented in a sequential order and often build upon'
  ❌ Invalid title line: 'represents one competency unit and should be completed in one week. Learning activities are presented in a sequential order and often build upon'
  ➜ Parsing at 5841: 'prior activities and skills, it is therefore important that you complete the course of study in the order presented.'

🔍 parse_program: starting at line 5841: 'prior activities and skills, it is therefore important that you complete the course of study in the order presented.'
  ➜ Title candidate: 'prior activities and skills, it is therefore important that you complete the course of study in the order presented.'
  ❌ Invalid title line: 'prior activities and skills, it is therefore important that you complete the course of study in the order presented.'
  ➜ Parsing at 5842: 'C487 - Psych/Mental Health Clinical - The clinical experience for psychiatric/mental health differs from other clinical intensives. Students are'

🔍 parse_program: starting at line 5842: 'C487 - Psych/Mental Health Clinical - The clinical experience for psychiatric/mental health differs from other clinical intensives. Students are'
  ➜ Title candidate: 'C487 - Psych/Mental Health Clinical - The clinical experience for psychiatric/mental health differs from other clinical intensives. Students are'
  ❌ Invalid title line: 'C487 - Psych/Mental Health Clinical - The clinical experience for psychiatric/mental health differs from other clinical intensives. Students are'
  ➜ Parsing at 5843: 'required to have a total of 90 hours of clinical time and must document their hours on a time log. They will have a total of 72 scheduled hours and 18'

🔍 parse_program: starting at line 5843: 'required to have a total of 90 hours of clinical time and must document their hours on a time log. They will have a total of 72 scheduled hours and 18'
  ➜ Title candidate: 'required to have a total of 90 hours of clinical time and must document their hours on a time log. They will have a total of 72 scheduled hours and 18'
  ❌ Invalid title line: 'required to have a total of 90 hours of clinical time and must document their hours on a time log. They will have a total of 72 scheduled hours and 18'
  ➜ Parsing at 5844: 'hours that will be self-scheduled by the student—guidelines for self-scheduling are provided for the student. Students must also complete an'

🔍 parse_program: starting at line 5844: 'hours that will be self-scheduled by the student—guidelines for self-scheduling are provided for the student. Students must also complete an'
  ➜ Title candidate: 'hours that will be self-scheduled by the student—guidelines for self-scheduling are provided for the student. Students must also complete an'
  ❌ Invalid title line: 'hours that will be self-scheduled by the student—guidelines for self-scheduling are provided for the student. Students must also complete an'
  ➜ Parsing at 5845: 'interpersonal process recording. Students will be assessed of their advancing for their mastery of advancing levels of key behaviors in the'

🔍 parse_program: starting at line 5845: 'interpersonal process recording. Students will be assessed of their advancing for their mastery of advancing levels of key behaviors in the'
  ➜ Title candidate: 'interpersonal process recording. Students will be assessed of their advancing for their mastery of advancing levels of key behaviors in the'
  ❌ Invalid title line: 'interpersonal process recording. Students will be assessed of their advancing for their mastery of advancing levels of key behaviors in the'
  ➜ Parsing at 5846: 'psychiatric/mental health clinical.'

🔍 parse_program: starting at line 5846: 'psychiatric/mental health clinical.'
  ➜ Title candidate: 'psychiatric/mental health clinical.'
  ❌ Invalid title line: 'psychiatric/mental health clinical.'
  ➜ Parsing at 5847: '© Western Governors University 7/19/17 159'

🔍 parse_program: starting at line 5847: '© Western Governors University 7/19/17 159'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'C488 - Critical Care Nursing - Critical care environments are not limited to the intensive care unit, but can occur in emergency departments, surgery,'
  ➜ Skipping stray line: 'during transport, and sometimes during a disaster. The Critical Care Nursing course introduces the student to the critical care environment and'
  ➜ Skipping stray line: 'includes such topics as moral distress, the role of the critical care nurse, legal and ethical issues, health disparity, sleep deprivation, psychosocial'
  ➜ Skipping stray line: 'needs of not only the patient but their family, and end of life care. This course then takes a more in depth look at the various system failures students'
  ➜ Skipping stray line: 'might encounter in a critical care setting to include the pulmonary and cardiac systems; hemodynamics and neurology; endocrine and renal systems;'
  ➜ Skipping stray line: 'gastrointestinal system; shock; and hematology. At this point in the program the student is beginning to refine their critical thinking skills by integrating'
  ➜ Skipping stray line: 'their understanding of physiology, pathology, pharmacology, and the nursing process and applying this to various situations experience by the patient'
  ➜ Skipping stray line: 'and their family.'
  ➜ Skipping stray line: 'C489 - Organizational Systems and Quality Leadership - Nurses serve as clinicians, managers, and mentors to shape the future of healthcare and'
  ➜ Skipping stray line: 'impact patient care outcomes in positive ways. This course will help students to be more confident and better prepared to assume leadership roles'
  ➜ Skipping stray line: 'regardless of their position in the healthcare delivery system.This advanced leadership course focuses on the concepts of Patient Safety,'
  ➜ Skipping stray line: 'Improvement science, balancing cost, quality and access through the triple aim, leadership and patient/family centered care. Students will develop'
  ➜ Title candidate: 'mastery of advanced competencies particularly in patient safety in quality improvement science.'
  ✔️ Collected description (1732 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 5848: 'C488 - Critical Care Nursing - Critical care environments are not limited to the intensive care unit, but can occur in emergency departments, surgery,'

🔍 parse_program: starting at line 5848: 'C488 - Critical Care Nursing - Critical care environments are not limited to the intensive care unit, but can occur in emergency departments, surgery,'
  ➜ Title candidate: 'C488 - Critical Care Nursing - Critical care environments are not limited to the intensive care unit, but can occur in emergency departments, surgery,'
  ❌ Invalid title line: 'C488 - Critical Care Nursing - Critical care environments are not limited to the intensive care unit, but can occur in emergency departments, surgery,'
  ➜ Parsing at 5849: 'during transport, and sometimes during a disaster. The Critical Care Nursing course introduces the student to the critical care environment and'

🔍 parse_program: starting at line 5849: 'during transport, and sometimes during a disaster. The Critical Care Nursing course introduces the student to the critical care environment and'
  ➜ Title candidate: 'during transport, and sometimes during a disaster. The Critical Care Nursing course introduces the student to the critical care environment and'
  ❌ Invalid title line: 'during transport, and sometimes during a disaster. The Critical Care Nursing course introduces the student to the critical care environment and'
  ➜ Parsing at 5850: 'includes such topics as moral distress, the role of the critical care nurse, legal and ethical issues, health disparity, sleep deprivation, psychosocial'

🔍 parse_program: starting at line 5850: 'includes such topics as moral distress, the role of the critical care nurse, legal and ethical issues, health disparity, sleep deprivation, psychosocial'
  ➜ Title candidate: 'includes such topics as moral distress, the role of the critical care nurse, legal and ethical issues, health disparity, sleep deprivation, psychosocial'
  ❌ Invalid title line: 'includes such topics as moral distress, the role of the critical care nurse, legal and ethical issues, health disparity, sleep deprivation, psychosocial'
  ➜ Parsing at 5851: 'needs of not only the patient but their family, and end of life care. This course then takes a more in depth look at the various system failures students'

🔍 parse_program: starting at line 5851: 'needs of not only the patient but their family, and end of life care. This course then takes a more in depth look at the various system failures students'
  ➜ Title candidate: 'needs of not only the patient but their family, and end of life care. This course then takes a more in depth look at the various system failures students'
  ❌ Invalid title line: 'needs of not only the patient but their family, and end of life care. This course then takes a more in depth look at the various system failures students'
  ➜ Parsing at 5852: 'might encounter in a critical care setting to include the pulmonary and cardiac systems; hemodynamics and neurology; endocrine and renal systems;'

🔍 parse_program: starting at line 5852: 'might encounter in a critical care setting to include the pulmonary and cardiac systems; hemodynamics and neurology; endocrine and renal systems;'
  ➜ Title candidate: 'might encounter in a critical care setting to include the pulmonary and cardiac systems; hemodynamics and neurology; endocrine and renal systems;'
  ❌ Invalid title line: 'might encounter in a critical care setting to include the pulmonary and cardiac systems; hemodynamics and neurology; endocrine and renal systems;'
  ➜ Parsing at 5853: 'gastrointestinal system; shock; and hematology. At this point in the program the student is beginning to refine their critical thinking skills by integrating'

🔍 parse_program: starting at line 5853: 'gastrointestinal system; shock; and hematology. At this point in the program the student is beginning to refine their critical thinking skills by integrating'
  ➜ Title candidate: 'gastrointestinal system; shock; and hematology. At this point in the program the student is beginning to refine their critical thinking skills by integrating'
  ❌ Invalid title line: 'gastrointestinal system; shock; and hematology. At this point in the program the student is beginning to refine their critical thinking skills by integrating'
  ➜ Parsing at 5854: 'their understanding of physiology, pathology, pharmacology, and the nursing process and applying this to various situations experience by the patient'

🔍 parse_program: starting at line 5854: 'their understanding of physiology, pathology, pharmacology, and the nursing process and applying this to various situations experience by the patient'
  ➜ Title candidate: 'their understanding of physiology, pathology, pharmacology, and the nursing process and applying this to various situations experience by the patient'
  ❌ Invalid title line: 'their understanding of physiology, pathology, pharmacology, and the nursing process and applying this to various situations experience by the patient'
  ➜ Parsing at 5855: 'and their family.'

🔍 parse_program: starting at line 5855: 'and their family.'
  ➜ Title candidate: 'and their family.'
  ❌ Invalid title line: 'and their family.'
  ➜ Parsing at 5856: 'C489 - Organizational Systems and Quality Leadership - Nurses serve as clinicians, managers, and mentors to shape the future of healthcare and'

🔍 parse_program: starting at line 5856: 'C489 - Organizational Systems and Quality Leadership - Nurses serve as clinicians, managers, and mentors to shape the future of healthcare and'
  ➜ Title candidate: 'C489 - Organizational Systems and Quality Leadership - Nurses serve as clinicians, managers, and mentors to shape the future of healthcare and'
  ❌ Invalid title line: 'C489 - Organizational Systems and Quality Leadership - Nurses serve as clinicians, managers, and mentors to shape the future of healthcare and'
  ➜ Parsing at 5857: 'impact patient care outcomes in positive ways. This course will help students to be more confident and better prepared to assume leadership roles'

🔍 parse_program: starting at line 5857: 'impact patient care outcomes in positive ways. This course will help students to be more confident and better prepared to assume leadership roles'
  ➜ Title candidate: 'impact patient care outcomes in positive ways. This course will help students to be more confident and better prepared to assume leadership roles'
  ❌ Invalid title line: 'impact patient care outcomes in positive ways. This course will help students to be more confident and better prepared to assume leadership roles'
  ➜ Parsing at 5858: 'regardless of their position in the healthcare delivery system.This advanced leadership course focuses on the concepts of Patient Safety,'

🔍 parse_program: starting at line 5858: 'regardless of their position in the healthcare delivery system.This advanced leadership course focuses on the concepts of Patient Safety,'
  ➜ Title candidate: 'regardless of their position in the healthcare delivery system.This advanced leadership course focuses on the concepts of Patient Safety,'
  ❌ Invalid title line: 'regardless of their position in the healthcare delivery system.This advanced leadership course focuses on the concepts of Patient Safety,'
  ➜ Parsing at 5859: 'Improvement science, balancing cost, quality and access through the triple aim, leadership and patient/family centered care. Students will develop'

🔍 parse_program: starting at line 5859: 'Improvement science, balancing cost, quality and access through the triple aim, leadership and patient/family centered care. Students will develop'
  ➜ Title candidate: 'Improvement science, balancing cost, quality and access through the triple aim, leadership and patient/family centered care. Students will develop'
  ❌ Invalid title line: 'Improvement science, balancing cost, quality and access through the triple aim, leadership and patient/family centered care. Students will develop'
  ➜ Parsing at 5860: 'mastery of advanced competencies particularly in patient safety in quality improvement science.'

🔍 parse_program: starting at line 5860: 'mastery of advanced competencies particularly in patient safety in quality improvement science.'
  ➜ Title candidate: 'mastery of advanced competencies particularly in patient safety in quality improvement science.'
  ✔️ Collected description (1732 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 5861: 'C490 - Professional Nursing Role Transition - This course is a three part course: preparing for the NCLEX; leadership learning experience; and'

🔍 parse_program: starting at line 5861: 'C490 - Professional Nursing Role Transition - This course is a three part course: preparing for the NCLEX; leadership learning experience; and'
  ➜ Title candidate: 'C490 - Professional Nursing Role Transition - This course is a three part course: preparing for the NCLEX; leadership learning experience; and'
  ❌ Invalid title line: 'C490 - Professional Nursing Role Transition - This course is a three part course: preparing for the NCLEX; leadership learning experience; and'
  ➜ Parsing at 5862: 'professional portfolio. After graduating from a nursing program, the student must take and pass the NCLEX-RN®. This is a high-stakes licensing exam'

🔍 parse_program: starting at line 5862: 'professional portfolio. After graduating from a nursing program, the student must take and pass the NCLEX-RN®. This is a high-stakes licensing exam'
  ➜ Title candidate: 'professional portfolio. After graduating from a nursing program, the student must take and pass the NCLEX-RN®. This is a high-stakes licensing exam'
  ❌ Invalid title line: 'professional portfolio. After graduating from a nursing program, the student must take and pass the NCLEX-RN®. This is a high-stakes licensing exam'
  ➜ Parsing at 5863: 'and success on the first attempt is very important. In order to prepare for the possibility of taking the long exam, students will need to practice taking'

🔍 parse_program: starting at line 5863: 'and success on the first attempt is very important. In order to prepare for the possibility of taking the long exam, students will need to practice taking'
  ➜ Title candidate: 'and success on the first attempt is very important. In order to prepare for the possibility of taking the long exam, students will need to practice taking'
  ❌ Invalid title line: 'and success on the first attempt is very important. In order to prepare for the possibility of taking the long exam, students will need to practice taking'
  ➜ Parsing at 5864: 'longer exams; and build up stamina to sit and concentrate that long. In this course, students will create an intense study plan and pass complete an'

🔍 parse_program: starting at line 5864: 'longer exams; and build up stamina to sit and concentrate that long. In this course, students will create an intense study plan and pass complete an'
  ➜ Title candidate: 'longer exams; and build up stamina to sit and concentrate that long. In this course, students will create an intense study plan and pass complete an'
  ❌ Invalid title line: 'longer exams; and build up stamina to sit and concentrate that long. In this course, students will create an intense study plan and pass complete an'
  ➜ Parsing at 5865: 'NCLEX-RN predictor exam. Students will also complete a Leadership Learning Experience (LLE) is designed to help the student learn more about the'

🔍 parse_program: starting at line 5865: 'NCLEX-RN predictor exam. Students will also complete a Leadership Learning Experience (LLE) is designed to help the student learn more about the'
  ➜ Title candidate: 'NCLEX-RN predictor exam. Students will also complete a Leadership Learning Experience (LLE) is designed to help the student learn more about the'
  ❌ Invalid title line: 'NCLEX-RN predictor exam. Students will also complete a Leadership Learning Experience (LLE) is designed to help the student learn more about the'
  ➜ Parsing at 5866: 'various roles of a health care team. The student will participate in a specified number of interdisciplinary team meetings during a clinical experience.'

🔍 parse_program: starting at line 5866: 'various roles of a health care team. The student will participate in a specified number of interdisciplinary team meetings during a clinical experience.'
  ➜ Title candidate: 'various roles of a health care team. The student will participate in a specified number of interdisciplinary team meetings during a clinical experience.'
  ❌ Invalid title line: 'various roles of a health care team. The student will participate in a specified number of interdisciplinary team meetings during a clinical experience.'
  ➜ Parsing at 5867: 'The student may observe the various roles, but participation in the meetings will help with growth and learning. Successful completion of a written'

🔍 parse_program: starting at line 5867: 'The student may observe the various roles, but participation in the meetings will help with growth and learning. Successful completion of a written'
  ➜ Title candidate: 'The student may observe the various roles, but participation in the meetings will help with growth and learning. Successful completion of a written'
  ❌ Invalid title line: 'The student may observe the various roles, but participation in the meetings will help with growth and learning. Successful completion of a written'
  ➜ Parsing at 5868: 'paper will satisfy this portion of the course. The professional portfolio will showcase student accomplishments, knowledge, and skills and will increase'

🔍 parse_program: starting at line 5868: 'paper will satisfy this portion of the course. The professional portfolio will showcase student accomplishments, knowledge, and skills and will increase'
  ➜ Title candidate: 'paper will satisfy this portion of the course. The professional portfolio will showcase student accomplishments, knowledge, and skills and will increase'
  ❌ Invalid title line: 'paper will satisfy this portion of the course. The professional portfolio will showcase student accomplishments, knowledge, and skills and will increase'
  ➜ Parsing at 5869: 'marketability as a baccalaureate-prepared nurse, and focuses on the concepts strengths, and clinical reasoning abilities that define professional'

🔍 parse_program: starting at line 5869: 'marketability as a baccalaureate-prepared nurse, and focuses on the concepts strengths, and clinical reasoning abilities that define professional'
  ➜ Title candidate: 'marketability as a baccalaureate-prepared nurse, and focuses on the concepts strengths, and clinical reasoning abilities that define professional'
  ❌ Invalid title line: 'marketability as a baccalaureate-prepared nurse, and focuses on the concepts strengths, and clinical reasoning abilities that define professional'
  ➜ Parsing at 5870: 'nursing practice. A passing grade of the submitted portfolio will satisfy this portion of the course.'

🔍 parse_program: starting at line 5870: 'nursing practice. A passing grade of the submitted portfolio will satisfy this portion of the course.'
  ➜ Title candidate: 'nursing practice. A passing grade of the submitted portfolio will satisfy this portion of the course.'
  ❌ Invalid title line: 'nursing practice. A passing grade of the submitted portfolio will satisfy this portion of the course.'
  ➜ Parsing at 5871: 'C491 - Nursing Clinical Practicum - Before graduating, nursing students need to experience clinical as an independent member of the nursing team'

🔍 parse_program: starting at line 5871: 'C491 - Nursing Clinical Practicum - Before graduating, nursing students need to experience clinical as an independent member of the nursing team'
  ➜ Title candidate: 'C491 - Nursing Clinical Practicum - Before graduating, nursing students need to experience clinical as an independent member of the nursing team'
  ❌ Invalid title line: 'C491 - Nursing Clinical Practicum - Before graduating, nursing students need to experience clinical as an independent member of the nursing team'
  ➜ Parsing at 5872: 'who manages a standard patient load. Working under the supervision of a preceptor, the student will have an opportunity to test clinical reasoning,'

🔍 parse_program: starting at line 5872: 'who manages a standard patient load. Working under the supervision of a preceptor, the student will have an opportunity to test clinical reasoning,'
  ➜ Title candidate: 'who manages a standard patient load. Working under the supervision of a preceptor, the student will have an opportunity to test clinical reasoning,'
  ❌ Invalid title line: 'who manages a standard patient load. Working under the supervision of a preceptor, the student will have an opportunity to test clinical reasoning,'
  ➜ Parsing at 5873: 'patient care management, delegation and organizational skills in caring for a group of patients to complete 180 hours of supervised clinical practice.'

🔍 parse_program: starting at line 5873: 'patient care management, delegation and organizational skills in caring for a group of patients to complete 180 hours of supervised clinical practice.'
  ➜ Title candidate: 'patient care management, delegation and organizational skills in caring for a group of patients to complete 180 hours of supervised clinical practice.'
  ❌ Invalid title line: 'patient care management, delegation and organizational skills in caring for a group of patients to complete 180 hours of supervised clinical practice.'
  ➜ Parsing at 5874: 'The student is working to transition from novice student nurse to novice clinical nurse.'

🔍 parse_program: starting at line 5874: 'The student is working to transition from novice student nurse to novice clinical nurse.'
  ➜ Title candidate: 'The student is working to transition from novice student nurse to novice clinical nurse.'
  ❌ Invalid title line: 'The student is working to transition from novice student nurse to novice clinical nurse.'
  ➜ Parsing at 5875: 'C492 - Physical Assessment - The physical assessment course is designed to help students build a cognitive understanding of a physical'

🔍 parse_program: starting at line 5875: 'C492 - Physical Assessment - The physical assessment course is designed to help students build a cognitive understanding of a physical'
  ➜ Title candidate: 'C492 - Physical Assessment - The physical assessment course is designed to help students build a cognitive understanding of a physical'
  ❌ Invalid title line: 'C492 - Physical Assessment - The physical assessment course is designed to help students build a cognitive understanding of a physical'
  ➜ Parsing at 5876: 'assessment, as well as the skills used to conduct a physical assessment on patients across the lifespan. Students will work through activities that'

🔍 parse_program: starting at line 5876: 'assessment, as well as the skills used to conduct a physical assessment on patients across the lifespan. Students will work through activities that'
  ➜ Title candidate: 'assessment, as well as the skills used to conduct a physical assessment on patients across the lifespan. Students will work through activities that'
  ❌ Invalid title line: 'assessment, as well as the skills used to conduct a physical assessment on patients across the lifespan. Students will work through activities that'
  ➜ Parsing at 5877: 'enhance their learning and understanding of the physical assessment. These include learning about the importance of the health history, working'

🔍 parse_program: starting at line 5877: 'enhance their learning and understanding of the physical assessment. These include learning about the importance of the health history, working'
  ➜ Title candidate: 'enhance their learning and understanding of the physical assessment. These include learning about the importance of the health history, working'
  ❌ Invalid title line: 'enhance their learning and understanding of the physical assessment. These include learning about the importance of the health history, working'
  ➜ Parsing at 5878: 'through the body systems through readings, case studies, and virtual simulations. Interviewing and advance history taking are an integral part of the'

🔍 parse_program: starting at line 5878: 'through the body systems through readings, case studies, and virtual simulations. Interviewing and advance history taking are an integral part of the'
  ➜ Title candidate: 'through the body systems through readings, case studies, and virtual simulations. Interviewing and advance history taking are an integral part of the'
  ❌ Invalid title line: 'through the body systems through readings, case studies, and virtual simulations. Interviewing and advance history taking are an integral part of the'
  ➜ Parsing at 5879: 'assessment process along with the skills to complete a primary physical assessment. Students will master these assessment competencies through'

🔍 parse_program: starting at line 5879: 'assessment process along with the skills to complete a primary physical assessment. Students will master these assessment competencies through'
  ➜ Title candidate: 'assessment process along with the skills to complete a primary physical assessment. Students will master these assessment competencies through'
  ❌ Invalid title line: 'assessment process along with the skills to complete a primary physical assessment. Students will master these assessment competencies through'
  ➜ Parsing at 5880: 'the use of virtual simulation reality experiences as well as demonstrating their competency in all aspects of physical assessment. This course is'

🔍 parse_program: starting at line 5880: 'the use of virtual simulation reality experiences as well as demonstrating their competency in all aspects of physical assessment. This course is'
  ➜ Title candidate: 'the use of virtual simulation reality experiences as well as demonstrating their competency in all aspects of physical assessment. This course is'
  ❌ Invalid title line: 'the use of virtual simulation reality experiences as well as demonstrating their competency in all aspects of physical assessment. This course is'
  ➜ Parsing at 5881: 'taught in tandem with the Caring Arts and Sciences Across the Lifespan Part 1 course.'

🔍 parse_program: starting at line 5881: 'taught in tandem with the Caring Arts and Sciences Across the Lifespan Part 1 course.'
  ➜ Title candidate: 'taught in tandem with the Caring Arts and Sciences Across the Lifespan Part 1 course.'
  ❌ Invalid title line: 'taught in tandem with the Caring Arts and Sciences Across the Lifespan Part 1 course.'
  ➜ Parsing at 5882: 'C493 - Leadership and Professional Image - Nursing is a practice discipline that includes direct and indirect care activities that affect health'

🔍 parse_program: starting at line 5882: 'C493 - Leadership and Professional Image - Nursing is a practice discipline that includes direct and indirect care activities that affect health'
  ➜ Title candidate: 'C493 - Leadership and Professional Image - Nursing is a practice discipline that includes direct and indirect care activities that affect health'
  ❌ Invalid title line: 'C493 - Leadership and Professional Image - Nursing is a practice discipline that includes direct and indirect care activities that affect health'
  ➜ Parsing at 5883: 'outcomes. Baccalaureate nursing students are developing new competencies in leadership, and in order to achieve mastery, must apply those'

🔍 parse_program: starting at line 5883: 'outcomes. Baccalaureate nursing students are developing new competencies in leadership, and in order to achieve mastery, must apply those'
  ➜ Title candidate: 'outcomes. Baccalaureate nursing students are developing new competencies in leadership, and in order to achieve mastery, must apply those'
  ❌ Invalid title line: 'outcomes. Baccalaureate nursing students are developing new competencies in leadership, and in order to achieve mastery, must apply those'
  ➜ Parsing at 5884: 'competencies to live practice experiences and situations. In this course students will complete a Leadership Learning Experience (LLE) and develop'

🔍 parse_program: starting at line 5884: 'competencies to live practice experiences and situations. In this course students will complete a Leadership Learning Experience (LLE) and develop'
  ➜ Title candidate: 'competencies to live practice experiences and situations. In this course students will complete a Leadership Learning Experience (LLE) and develop'
  ❌ Invalid title line: 'competencies to live practice experiences and situations. In this course students will complete a Leadership Learning Experience (LLE) and develop'
  ➜ Parsing at 5885: 'their own personal professional portfolio. The professional portfolio is a collection of artifacts from BSN coursework as well as a resume and personal'

🔍 parse_program: starting at line 5885: 'their own personal professional portfolio. The professional portfolio is a collection of artifacts from BSN coursework as well as a resume and personal'
  ➜ Title candidate: 'their own personal professional portfolio. The professional portfolio is a collection of artifacts from BSN coursework as well as a resume and personal'
  ❌ Invalid title line: 'their own personal professional portfolio. The professional portfolio is a collection of artifacts from BSN coursework as well as a resume and personal'
  ➜ Parsing at 5886: 'statement.'

🔍 parse_program: starting at line 5886: 'statement.'
  ➜ Title candidate: 'statement.'
  ❌ Invalid title line: 'statement.'
  ➜ Parsing at 5887: 'C494 - Advanced Standing for RN License -'

🔍 parse_program: starting at line 5887: 'C494 - Advanced Standing for RN License -'
  ➜ Title candidate: 'C494 - Advanced Standing for RN License -'
  ❌ Invalid title line: 'C494 - Advanced Standing for RN License -'
  ➜ Parsing at 5888: 'C498 - MS, Information Technology Management Capstone - The MSITM Capstone Project allows the student to demonstrate their application of'

🔍 parse_program: starting at line 5888: 'C498 - MS, Information Technology Management Capstone - The MSITM Capstone Project allows the student to demonstrate their application of'
  ➜ Title candidate: 'C498 - MS, Information Technology Management Capstone - The MSITM Capstone Project allows the student to demonstrate their application of'
  ❌ Invalid title line: 'C498 - MS, Information Technology Management Capstone - The MSITM Capstone Project allows the student to demonstrate their application of'
  ➜ Parsing at 5889: 'the academic and professional abilities developed as a graduate student. The Capstone challenges students to integrate skills and knowledge of'

🔍 parse_program: starting at line 5889: 'the academic and professional abilities developed as a graduate student. The Capstone challenges students to integrate skills and knowledge of'
  ➜ Title candidate: 'the academic and professional abilities developed as a graduate student. The Capstone challenges students to integrate skills and knowledge of'
  ❌ Invalid title line: 'the academic and professional abilities developed as a graduate student. The Capstone challenges students to integrate skills and knowledge of'
  ➜ Parsing at 5890: 'several domains in the program into one project.'

🔍 parse_program: starting at line 5890: 'several domains in the program into one project.'
  ➜ Title candidate: 'several domains in the program into one project.'
  ❌ Invalid title line: 'several domains in the program into one project.'
  ➜ Parsing at 5891: 'C504 - Professional Practice Experience and Portfolio - Management Level - This course supports the assessment for Professional Practice:'

🔍 parse_program: starting at line 5891: 'C504 - Professional Practice Experience and Portfolio - Management Level - This course supports the assessment for Professional Practice:'
  ➜ Title candidate: 'C504 - Professional Practice Experience and Portfolio - Management Level - This course supports the assessment for Professional Practice:'
  ❌ Invalid title line: 'C504 - Professional Practice Experience and Portfolio - Management Level - This course supports the assessment for Professional Practice:'
  ➜ Parsing at 5892: 'Management Portfolio II. The purpose of PPE II is to expound your experience by having you practice your future profession at the supervisory level.'

🔍 parse_program: starting at line 5892: 'Management Portfolio II. The purpose of PPE II is to expound your experience by having you practice your future profession at the supervisory level.'
  ➜ Title candidate: 'Management Portfolio II. The purpose of PPE II is to expound your experience by having you practice your future profession at the supervisory level.'
  ❌ Invalid title line: 'Management Portfolio II. The purpose of PPE II is to expound your experience by having you practice your future profession at the supervisory level.'
  ➜ Parsing at 5893: 'Any site where health information is used and you can be mentored by a department or facility manager is appropriate for PPE II.'

🔍 parse_program: starting at line 5893: 'Any site where health information is used and you can be mentored by a department or facility manager is appropriate for PPE II.'
  ➜ Title candidate: 'Any site where health information is used and you can be mentored by a department or facility manager is appropriate for PPE II.'
  ❌ Invalid title line: 'Any site where health information is used and you can be mentored by a department or facility manager is appropriate for PPE II.'
  ➜ Parsing at 5894: 'C509 - Professional Practice Experience and Portfolio - Technical Level - The Professional Practice Experience (PPE) is your opportunity to put'

🔍 parse_program: starting at line 5894: 'C509 - Professional Practice Experience and Portfolio - Technical Level - The Professional Practice Experience (PPE) is your opportunity to put'
  ➜ Title candidate: 'C509 - Professional Practice Experience and Portfolio - Technical Level - The Professional Practice Experience (PPE) is your opportunity to put'
  ❌ Invalid title line: 'C509 - Professional Practice Experience and Portfolio - Technical Level - The Professional Practice Experience (PPE) is your opportunity to put'
  ➜ Parsing at 5895: 'into practice all the health informatics/information management (HIIM) theories you have been studying. Any site where health information is managed'

🔍 parse_program: starting at line 5895: 'into practice all the health informatics/information management (HIIM) theories you have been studying. Any site where health information is managed'
  ➜ Title candidate: 'into practice all the health informatics/information management (HIIM) theories you have been studying. Any site where health information is managed'
  ❌ Invalid title line: 'into practice all the health informatics/information management (HIIM) theories you have been studying. Any site where health information is managed'
  ➜ Parsing at 5896: 'in any form is a potential PPE site. PPE sites can be healthcare facilities, pharmaceutical firms, software vendors, regional health information'

🔍 parse_program: starting at line 5896: 'in any form is a potential PPE site. PPE sites can be healthcare facilities, pharmaceutical firms, software vendors, regional health information'
  ➜ Title candidate: 'in any form is a potential PPE site. PPE sites can be healthcare facilities, pharmaceutical firms, software vendors, regional health information'
  ❌ Invalid title line: 'in any form is a potential PPE site. PPE sites can be healthcare facilities, pharmaceutical firms, software vendors, regional health information'
  ➜ Parsing at 5897: 'exchanges, insurance companies, or healthcare research organizations. In addition, larger healthcare organizations may have experiences available'

🔍 parse_program: starting at line 5897: 'exchanges, insurance companies, or healthcare research organizations. In addition, larger healthcare organizations may have experiences available'
  ➜ Title candidate: 'exchanges, insurance companies, or healthcare research organizations. In addition, larger healthcare organizations may have experiences available'
  ❌ Invalid title line: 'exchanges, insurance companies, or healthcare research organizations. In addition, larger healthcare organizations may have experiences available'
  ➜ Parsing at 5898: 'to you in their cancer registries, information technology department, finance/business offices, compliance office, quality assurance, utilization review,'

🔍 parse_program: starting at line 5898: 'to you in their cancer registries, information technology department, finance/business offices, compliance office, quality assurance, utilization review,'
  ➜ Title candidate: 'to you in their cancer registries, information technology department, finance/business offices, compliance office, quality assurance, utilization review,'
  ❌ Invalid title line: 'to you in their cancer registries, information technology department, finance/business offices, compliance office, quality assurance, utilization review,'
  ➜ Parsing at 5899: 'or risk management departments.'

🔍 parse_program: starting at line 5899: 'or risk management departments.'
  ➜ Title candidate: 'or risk management departments.'
  ❌ Invalid title line: 'or risk management departments.'
  ➜ Parsing at 5900: 'C540 - MS SPED Teacher Work Sample - The Teacher Work Sample is a culmination of the wide variety of skills learned during your time in the'

🔍 parse_program: starting at line 5900: 'C540 - MS SPED Teacher Work Sample - The Teacher Work Sample is a culmination of the wide variety of skills learned during your time in the'
  ➜ Title candidate: 'C540 - MS SPED Teacher Work Sample - The Teacher Work Sample is a culmination of the wide variety of skills learned during your time in the'
  ❌ Invalid title line: 'C540 - MS SPED Teacher Work Sample - The Teacher Work Sample is a culmination of the wide variety of skills learned during your time in the'
  ➜ Parsing at 5901: 'Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of your content, planning,'

🔍 parse_program: starting at line 5901: 'Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of your content, planning,'
  ➜ Title candidate: 'Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of your content, planning,'
  ❌ Invalid title line: 'Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of your content, planning,'
  ➜ Parsing at 5902: 'instructional, and reflective skills in this professional assessment.'

🔍 parse_program: starting at line 5902: 'instructional, and reflective skills in this professional assessment.'
  ➜ Title candidate: 'instructional, and reflective skills in this professional assessment.'
  ❌ Invalid title line: 'instructional, and reflective skills in this professional assessment.'
  ➜ Parsing at 5903: 'C551 - Foundational Perspectives of Education - This course provides an introduction to the historical, legal, and philosophical foundations of'

🔍 parse_program: starting at line 5903: 'C551 - Foundational Perspectives of Education - This course provides an introduction to the historical, legal, and philosophical foundations of'
  ➜ Title candidate: 'C551 - Foundational Perspectives of Education - This course provides an introduction to the historical, legal, and philosophical foundations of'
  ❌ Invalid title line: 'C551 - Foundational Perspectives of Education - This course provides an introduction to the historical, legal, and philosophical foundations of'
  ➜ Parsing at 5904: 'education. Current educational trends, reform movements, major federal and state laws, legal and ethical responsibilities, and an overview of'

🔍 parse_program: starting at line 5904: 'education. Current educational trends, reform movements, major federal and state laws, legal and ethical responsibilities, and an overview of'
  ➜ Title candidate: 'education. Current educational trends, reform movements, major federal and state laws, legal and ethical responsibilities, and an overview of'
  ❌ Invalid title line: 'education. Current educational trends, reform movements, major federal and state laws, legal and ethical responsibilities, and an overview of'
  ➜ Parsing at 5905: 'standards-based curriculum are the focus of the course. The course of study presents a discussion of changes and challenges in contemporary'

🔍 parse_program: starting at line 5905: 'standards-based curriculum are the focus of the course. The course of study presents a discussion of changes and challenges in contemporary'
  ➜ Title candidate: 'standards-based curriculum are the focus of the course. The course of study presents a discussion of changes and challenges in contemporary'
  ❌ Invalid title line: 'standards-based curriculum are the focus of the course. The course of study presents a discussion of changes and challenges in contemporary'
  ➜ Parsing at 5906: 'education. It covers the diversity found in American schools, introduces emerging educational technology trends, and provides an overview of'

🔍 parse_program: starting at line 5906: 'education. It covers the diversity found in American schools, introduces emerging educational technology trends, and provides an overview of'
  ➜ Title candidate: 'education. It covers the diversity found in American schools, introduces emerging educational technology trends, and provides an overview of'
  ❌ Invalid title line: 'education. It covers the diversity found in American schools, introduces emerging educational technology trends, and provides an overview of'
  ➜ Parsing at 5907: 'contemporary topics in education.'

🔍 parse_program: starting at line 5907: 'contemporary topics in education.'
  ➜ Title candidate: 'contemporary topics in education.'
  ❌ Invalid title line: 'contemporary topics in education.'
  ➜ Parsing at 5908: 'C552 - Psychology for Educators - This course prepares candidates to meet the expectations of society and prepares future educators to support'

🔍 parse_program: starting at line 5908: 'C552 - Psychology for Educators - This course prepares candidates to meet the expectations of society and prepares future educators to support'
  ➜ Title candidate: 'C552 - Psychology for Educators - This course prepares candidates to meet the expectations of society and prepares future educators to support'
  ❌ Invalid title line: 'C552 - Psychology for Educators - This course prepares candidates to meet the expectations of society and prepares future educators to support'
  ➜ Parsing at 5909: 'classroom practice with research-validated concepts. The course helps future educators to create a framework for refining teaching skills that are'

🔍 parse_program: starting at line 5909: 'classroom practice with research-validated concepts. The course helps future educators to create a framework for refining teaching skills that are'
  ➜ Title candidate: 'classroom practice with research-validated concepts. The course helps future educators to create a framework for refining teaching skills that are'
  ❌ Invalid title line: 'classroom practice with research-validated concepts. The course helps future educators to create a framework for refining teaching skills that are'
  ➜ Parsing at 5910: 'focused on the learner, through engaged inquiry of integrating theory, critical issues in psychology, classroom applications with diverse populations,'

🔍 parse_program: starting at line 5910: 'focused on the learner, through engaged inquiry of integrating theory, critical issues in psychology, classroom applications with diverse populations,'
  ➜ Title candidate: 'focused on the learner, through engaged inquiry of integrating theory, critical issues in psychology, classroom applications with diverse populations,'
  ❌ Invalid title line: 'focused on the learner, through engaged inquiry of integrating theory, critical issues in psychology, classroom applications with diverse populations,'
  ➜ Parsing at 5911: 'assessment, educational technology, and reflective teaching.'

🔍 parse_program: starting at line 5911: 'assessment, educational technology, and reflective teaching.'
  ➜ Title candidate: 'assessment, educational technology, and reflective teaching.'
  ❌ Invalid title line: 'assessment, educational technology, and reflective teaching.'
  ➜ Parsing at 5912: 'C553 - Classroom Management, Engagement, and Motivation - Students will learn the foundations for effective classroom management as well as'

🔍 parse_program: starting at line 5912: 'C553 - Classroom Management, Engagement, and Motivation - Students will learn the foundations for effective classroom management as well as'
  ➜ Title candidate: 'C553 - Classroom Management, Engagement, and Motivation - Students will learn the foundations for effective classroom management as well as'
  ❌ Invalid title line: 'C553 - Classroom Management, Engagement, and Motivation - Students will learn the foundations for effective classroom management as well as'
  ➜ Parsing at 5913: 'strategies for creating a safe, positive learning environment for all learners. Students will be introduced to systems that promote student self-'

🔍 parse_program: starting at line 5913: 'strategies for creating a safe, positive learning environment for all learners. Students will be introduced to systems that promote student self-'
  ➜ Title candidate: 'strategies for creating a safe, positive learning environment for all learners. Students will be introduced to systems that promote student self-'
  ❌ Invalid title line: 'strategies for creating a safe, positive learning environment for all learners. Students will be introduced to systems that promote student self-'
  ➜ Parsing at 5914: 'awareness, self-management, self-efficacy, and self-esteem.'

🔍 parse_program: starting at line 5914: 'awareness, self-management, self-efficacy, and self-esteem.'
  ➜ Title candidate: 'awareness, self-management, self-efficacy, and self-esteem.'
  ❌ Invalid title line: 'awareness, self-management, self-efficacy, and self-esteem.'
  ➜ Parsing at 5915: 'C554 - Educational Assessment - Educational Assessment assists students in making appropriate data-driven instructional decisions by exploring'

🔍 parse_program: starting at line 5915: 'C554 - Educational Assessment - Educational Assessment assists students in making appropriate data-driven instructional decisions by exploring'
  ➜ Title candidate: 'C554 - Educational Assessment - Educational Assessment assists students in making appropriate data-driven instructional decisions by exploring'
  ❌ Invalid title line: 'C554 - Educational Assessment - Educational Assessment assists students in making appropriate data-driven instructional decisions by exploring'
  ➜ Parsing at 5916: 'key concepts relevant to the administration, scoring, and interpretation of classroom assessments. Topics include ethical assessment practices,'

🔍 parse_program: starting at line 5916: 'key concepts relevant to the administration, scoring, and interpretation of classroom assessments. Topics include ethical assessment practices,'
  ➜ Title candidate: 'key concepts relevant to the administration, scoring, and interpretation of classroom assessments. Topics include ethical assessment practices,'
  ❌ Invalid title line: 'key concepts relevant to the administration, scoring, and interpretation of classroom assessments. Topics include ethical assessment practices,'
  ➜ Parsing at 5917: 'designing assessments, aligning assessments, and utilizing technology for assessment.'

🔍 parse_program: starting at line 5917: 'designing assessments, aligning assessments, and utilizing technology for assessment.'
  ➜ Title candidate: 'designing assessments, aligning assessments, and utilizing technology for assessment.'
  ❌ Invalid title line: 'designing assessments, aligning assessments, and utilizing technology for assessment.'
  ➜ Parsing at 5918: 'C561 - MS, Curriculum and Instruction Capstone - MS, Curriculum and Instruction Capstone takes the student through the steps of planning and'

🔍 parse_program: starting at line 5918: 'C561 - MS, Curriculum and Instruction Capstone - MS, Curriculum and Instruction Capstone takes the student through the steps of planning and'
  ➜ Title candidate: 'C561 - MS, Curriculum and Instruction Capstone - MS, Curriculum and Instruction Capstone takes the student through the steps of planning and'
  ❌ Invalid title line: 'C561 - MS, Curriculum and Instruction Capstone - MS, Curriculum and Instruction Capstone takes the student through the steps of planning and'
  ➜ Parsing at 5919: 'conducting research on a topic or issue related to the students' practice setting. Students will design, deliver, and evaluate a curriculum and'

🔍 parse_program: starting at line 5919: 'conducting research on a topic or issue related to the students' practice setting. Students will design, deliver, and evaluate a curriculum and'
  ➜ Title candidate: 'conducting research on a topic or issue related to the students' practice setting. Students will design, deliver, and evaluate a curriculum and'
  ❌ Invalid title line: 'conducting research on a topic or issue related to the students' practice setting. Students will design, deliver, and evaluate a curriculum and'
  ➜ Parsing at 5920: 'instructional unit based on their content area. They will implement curriculum and instruction, and evaluate the effectiveness.'

🔍 parse_program: starting at line 5920: 'instructional unit based on their content area. They will implement curriculum and instruction, and evaluate the effectiveness.'
  ➜ Title candidate: 'instructional unit based on their content area. They will implement curriculum and instruction, and evaluate the effectiveness.'
  ❌ Invalid title line: 'instructional unit based on their content area. They will implement curriculum and instruction, and evaluate the effectiveness.'
  ➜ Parsing at 5921: '© Western Governors University 7/19/17 160'

🔍 parse_program: starting at line 5921: '© Western Governors University 7/19/17 160'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'C572 - Classroom Management, Engagement, and Motivation - Students will learn the foundations for effective classroom management as well as'
  ➜ Skipping stray line: 'strategies for creating a safe, positive learning environment for all learners. Students will be introduced to systems that promote student self-'
  ➜ Skipping stray line: 'awareness, self-management, self-efficacy, and self-esteem. In this course, students will engage practical application via 10 hours of video classroom'
  ➜ Skipping stray line: 'observations. Students will reflect on how teachers use rules/procedures to maximize student learning and on what makes a highly effective'
  ➜ Skipping stray line: 'classroom environment. As part of a culminating experience in this course, students will, through the video observation reflections, describe their'
  ➜ Skipping stray line: 'current teaching philosophy related to classroom environment and management.'
  ➜ Skipping stray line: 'C612 - Mathematics: Content Knowledge - Mathematics: Content Knowledge is designed to help candidates refine and integrate the mathematics'
  ➜ Skipping stray line: 'content knowledge and skills necessary to become successful secondary mathematics teachers. A high level of mathematical reasoning skills and the'
  ➜ Skipping stray line: 'ability to solve problems are necessary to complete this course. Prerequisites for this course are College Geometry, Probability and Statistics I, and'
  ➜ Skipping stray line: 'Pre-Calculus.'
  ➜ Skipping stray line: 'C613 - Middle School Mathematics: Content Knowledge - Mathematics: Middle School Content Knowledge is designed to help candidates refine'
  ➜ Skipping stray line: 'and integrate the mathematics content knowledge and skills necessary to become successful middle school mathematics teachers. A high level of'
  ➜ Skipping stray line: 'mathematical reasoning skills and the ability to solve problems are necessary to complete this course. Prerequisites for this course are College'
  ➜ Skipping stray line: 'Geometry, Probability and Statistics I, and Pre-Calculus.'
  ➜ Skipping stray line: 'C614 - Biology: Content Knowledge - This comprehensive course examines a student’s conceptual understanding of a broad range of biology'
  ➜ Skipping stray line: 'topics. High school biology teachers must help students make connections between isolated topics. For example, when studying hormones created by'
  ➜ Skipping stray line: 'endocrine glands traveling through the circulatory system to maintain homeostasis, a student is connecting many biology topics. This course starts'
  ➜ Skipping stray line: 'with macromolecules that make up cellular components and continues with understanding the many cellular processes that allow life to exist.'
  ➜ Skipping stray line: 'Connections are then made between genetics and evolution. Classification of organisms leads into plant and animal development that study the organ'
  ➜ Skipping stray line: 'systems and their role in maintaining homeostasis. The course finishes by studying ecology and the affect humans have on the environment.'
  ➜ Skipping stray line: 'C615 - Physics: Content Knowledge - Physics: Content Knowledge covers the advanced content knowledge that a secondary physics teacher is'
  ➜ Skipping stray line: 'expected to know and understand. Topics include mechanics, electricity and magnetism, optics and waves, heat and thermodynamics, modern'
  ➜ Skipping stray line: 'physics, atomic and nuclear structure, the history and nature of science, science technology, and social perspectives.'
  ➜ Skipping stray line: 'C616 - Middle School Science: Content Knowledge - This course covers the content knowledge that a middle-level science teacher is expected to'
  ➜ Skipping stray line: 'know and understand. Topics include scientific methodologies, history of science, basic science principles, physical sciences, life sciences, earth and'
  ➜ Skipping stray line: 'space sciences, and the role of science and technology and their impact on society.'
  ➜ Skipping stray line: 'C617 - Chemistry: Content Knowledge - Chemistry: Content Knowledge provides advanced instruction in the main areas of chemistry for which'
  ➜ Skipping stray line: 'secondary chemistry teachers are expected to demonstrate competency. Topics include matter and energy, thermochemistry, structure, bonding,'
  ➜ Skipping stray line: 'reactivity, biochemistry and organic chemistry, solutions, nature of science, technology and social perspectives, mathematics, and laboratory'
  ➜ Skipping stray line: 'procedures.'
  ➜ Skipping stray line: 'C618 - Earth Science: Content Knowledge - This course covers the advanced content knowledge that a secondary earth/space science teacher'
  ➜ Skipping stray line: 'is expected to know and understand. Topics include basic scientific principles of earth and'
  ➜ Skipping stray line: 'space sciences, tectonics and internal earth processes, earth materials and surface'
  ➜ Skipping stray line: 'processes, history of Earth and its life-forms, Earth's atmosphere and hydrosphere, and'
  ➜ Skipping stray line: 'astronomy.'
  ➜ Skipping stray line: 'C624 - Biochemistry - Biochemistry covers the structure and function of the four major polymers produced by living organisms. These include nucleic'
  ➜ Skipping stray line: 'acids, proteins, carbohydrates, and lipids. This course focuses on application! Be sure to understand the underlying biochemistry in order to grasp how'
  ➜ Skipping stray line: 'it is applied. By successfully completing this course, you will gain an introductory understanding of the chemicals and reactions that sustain life. You'
  ➜ Skipping stray line: 'will also begin to see the importance of this subject matter to health.'
  ➜ Skipping stray line: 'C625 - Biochemistry - Biochemistry covers the structure and function of the four major polymers produced by living organisms. These include nucleic'
  ➜ Skipping stray line: 'acids, proteins, carbohydrates, and lipids.'
  ➜ Skipping stray line: 'This course focuses on application! Be sure to understand the underlying biochemistry in order to grasp how it is applied. By successfully completing'
  ➜ Skipping stray line: 'this course, you will gain an introductory understanding of the chemicals and reactions that sustain life. You will also begin to see the importance of'
  ➜ Skipping stray line: 'this subject matter to health.'
  ➜ Skipping stray line: 'C626 - MED, Learning and Technology Capstone - MED, Learning and Technology Capstone takes the student through the steps of planning and'
  ➜ Skipping stray line: 'conducting research on a topic or issue related to the students' practice setting. Students will design, manage, and develop an instructional product for'
  ➜ Skipping stray line: 'which there is an identified need, including sections describing a literature review, methodology, and detailed analysis and reporting of results.'
  ➜ Skipping stray line: 'C635 - MA, Mathematics Education (K-6) Capstone - MA, Mathematics Education (K-6) Capstone Written Project takes the student through the'
  ➜ Skipping stray line: 'steps of planning and conducting research on a topic or issue related to the students' practice setting. The result is expected to be a significant piece'
  ➜ Skipping stray line: 'of research, culminating in a written research report, including sections describing a literature review, methodology, and detailed analysis and'
  ➜ Skipping stray line: 'reporting of results.'
  ➜ Skipping stray line: 'C636 - MED, Instructional Design Capstone - MED, Instructional Design Capstone Written Project is the culminating assessment where learners'
  ➜ Skipping stray line: 'should be able to integrate and synthesize competencies from across the degree program and thereby demonstrate the ability to participate in and'
  ➜ Skipping stray line: 'contribute value to their chosen professional field.'
  ➜ Skipping stray line: 'C645 - Science Methods - Science Methods provides graduate students seeking additional licensure or endorsement in the sciences for grades 5-12'
  ➜ Skipping stray line: 'with an introduction to science teaching methods and laboratory safety training. Course content focuses on designing and teaching with the three'
  ➜ Skipping stray line: 'dimensions of science: disciplinary core ideas, crosscutting concepts, and science and engineering practices. Laboratory safety training and'
  ➜ Skipping stray line: 'certification will include the proper use of personal protective equipment and safe laboratory practices and procedures in science classrooms. This'
  ➜ Skipping stray line: 'course has no prerequisites.'
  ➜ Skipping stray line: 'C646 - Trigonometry and Precalculus - Trigonometry and Precalculus covers the knowledge and skills necessary to apply trigonometry, complex'
  ➜ Skipping stray line: 'numbers, systems of equations, vectors and matrices, sequence and series, and to use appropriate technology to model and solve real-life problems.'
  ➜ Skipping stray line: 'Topics include degrees; radians and arcs; reference angles and right triangle trigonometry; applying, graphing and transforming trigonometric'
  ➜ Skipping stray line: 'functions and their inverses; solving trigonometric equations; using and proving trigonometric identities; geometric, rectangular, and polar approaches'
  ➜ Skipping stray line: 'to complex numbers; DeMoivre's Theorem; systems of linear equations and matrix-vector equations; systems of nonlinear equations; systems of'
  ➜ Skipping stray line: 'inequalities; and arithmetic and geometric sequences and series. College Algebra is a prerequisite for this course.'
  ➜ Skipping stray line: 'C647 - Trigonometry and Precalculus - Trigonometry and Precalculus covers the knowledge and skills necessary to apply trigonometry, complex'
  ➜ Skipping stray line: 'numbers, systems of equations, vectors and matrices, sequence and series, and to use appropriate technology to model and solve real-life problems.'
  ➜ Skipping stray line: 'Topics include degrees; radians and arcs; reference angles and right triangle trigonometry; applying, graphing and transforming trigonometric'
  ➜ Skipping stray line: 'functions and their inverses; solving trigonometric equations; using and proving trigonometric identities; geometric, rectangular, and polar approaches'
  ➜ Skipping stray line: 'to complex numbers; DeMoivre's Theorem; systems of linear equations and matrix-vector equations; systems of nonlinear equations; systems of'
  ➜ Skipping stray line: 'inequalities; and arithmetic and geometric sequences and series. College Algebra is a prerequisite for this course.'
  ➜ Skipping stray line: 'C649 - Geology I: Physical - Geology I: Physical provides undergraduate students seeking licensure or endorsement in science education for grades'
  ➜ Skipping stray line: '5-12 with an introduction to minerals and rocks, the physical features of the Earth, and the internal and surface processes that shape those features.'
  ➜ Skipping stray line: 'This course has no prerequisites.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 161'
  ➜ Skipping stray line: 'C650 - Geology I: Physical - Geology I: Physical provides graduate students seeking licensure or endorsement in science education for grades 5-12'
  ➜ Skipping stray line: 'with an introduction to minerals and rocks, the physical features of the Earth, and the internal and surface processes that shape those features. This'
  ➜ Skipping stray line: 'course has no prerequisites.'
  ➜ Skipping stray line: 'C652 - Heredity and Genetics - Heredity and Genetics is an introductory course for undergraduate students seeking initial licensure or endorsement'
  ➜ Skipping stray line: 'in biology education for grades 5–12. This course addresses the basic principles of heredity and the function of molecular genetics. Topics include'
  ➜ Skipping stray line: 'Mendelian and non-Mendelian inheritance and population genetics. This course has no prerequisites.'
  ➜ Skipping stray line: 'C653 - Heredity and Genetics - Heredity and Genetics is an introductory course for graduate students seeking initial licensure or endorsement in'
  ➜ Skipping stray line: 'biology (grades 5–12). This course addresses the basic principles of heredity and the function of molecular genetics. Topics include Mendelian and'
  ➜ Skipping stray line: 'non-Mendelian inheritance and population genetics. This course has no prerequisites.'
  ➜ Skipping stray line: 'C654 - Zoology - Zoology provides students seeking licensure or endorsement in biology, grades 5-12, with an introduction to the field of zoology.'
  ➜ Skipping stray line: 'Zoology includes the study of major animal phyla emphasizing characteristics, variations in anatomy, life cycles, adaptations, and relationships among'
  ➜ Skipping stray line: 'the animal kingdom. Prerequisite: Introduction to Biology.'
  ➜ Skipping stray line: 'C655 - Zoology - Zoology provides students seeking licensure or endorsement in biology, grades 5-12, with an introduction to the field of zoology.'
  ➜ Skipping stray line: 'Zoology includes the study of major animal phyla emphasizing characteristics, variations in anatomy, life cycles, adaptations, and relationships among'
  ➜ Skipping stray line: 'the animal kingdom. Prerequisite: Introduction to Biology.'
  ➜ Skipping stray line: 'C656 - Calculus III - Calculus III is the study of calculus conducted in three-or-higher-dimensional space. It covers the knowledge and skills necessary'
  ➜ Skipping stray line: 'to apply calculus of multiple variables while using the appropriate technology to model and solve real-life problems. Topics include: infinite series and'
  ➜ Skipping stray line: 'convergence tests (integral, comparison, ratio, root, and alternating), power series, taylor polynomials, vectors, lines and planes in three dimensions,'
  ➜ Skipping stray line: 'dot and cross products, multivariable functions, limits, and continuity, partial derivatives, directional derivatives, gradients, tangent planes, normal'
  ➜ Skipping stray line: 'lines, and extreme values. Calculus II is a prerequisite for this course.'
  ➜ Skipping stray line: 'C657 - Calculus III - Calculus III is the study of calculus conducted in three-or-higher-dimensional space. It covers the knowledge and skills necessary'
  ➜ Skipping stray line: 'to apply calculus of multiple variables while using the appropriate technology to model and solve real-life problems. Topics include: infinite series and'
  ➜ Skipping stray line: 'convergence tests (integral, comparison, ratio, root, and alternating), power series,taylor polynomials, vectors, lines and planes in three dimensions,'
  ➜ Skipping stray line: 'dot and cross products, multivariable functions, limits, and continuity, partial derivatives, directional derivatives, gradients, tangent planes, normal'
  ➜ Skipping stray line: 'lines, and extreme values. Calculus II is a prerequisite for this course.'
  ➜ Skipping stray line: 'C659 - Conceptual Physics - Conceptual Physics provides a broad, conceptual overview of the main principles of physics, including mechanics,'
  ➜ Skipping stray line: 'thermodynamics, wave motion, modern physics, and electricity and magnetism. Problem-solving activities and laboratory experiments provide'
  ➜ Skipping stray line: 'students with opportunities to apply these main principles, creating a strong foundation for future studies in physics. There are no prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'C682 - Mathematics for Elementary Educators - Mathematics for Elementary Educators III engages pre-service elementary teachers in'
  ➜ Skipping stray line: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in statistics, measurement, and'
  ➜ Skipping stray line: 'covers geometry from synthetic, transformational, and coordinate perspectives. This is the third course in a three-course sequence.'
  ➜ Skipping stray line: 'C683 - Natural Science Lab - This course gives you an introduction to using the scientific method and engaging in scientific research to reach'
  ➜ Skipping stray line: 'conclusions about the natural world. You will design and carry out an experiment to investigate a hypothesis by gathering quantitative data.'
  ➜ Skipping stray line: 'C688 - Cyberwarfare - This course introduces you to the real-world battlefield of cyberspace. It covers the history of cyberwarfare and the variety of'
  ➜ Skipping stray line: 'new concerns its emergence has fostered. This course explores how cyberwarfare has become an important part of the modern military arsenal and'
  ➜ Skipping stray line: 'provides strategies for protecting a threatened network, as well as strategies for dealing with specific cyber war actors and threats. It then concludes'
  ➜ Skipping stray line: 'with an exploration of the future of cyberwarfare considering the evolution of cyber-related capabilities, current threats, and emerging technology.'
  ➜ Skipping stray line: 'C697 - Operating Systems I - This course prepares students for the following certification exam: CompTIA Linux+ Part I.'
  ➜ Skipping stray line: 'C698 - Operating Systems II - This course prepares students for the following certification exam: CompTIA Linux+ Part II.'
  ➜ Skipping stray line: 'C700 - Secure Network Design - This course provides an in-depth look at organizational challenges and threats to networks that are connected to'
  ➜ Skipping stray line: 'the public Internet. Network security will be discussed in the context of how hackers gain access to networks and the use of Firewalls and VPNs to'
  ➜ Skipping stray line: 'provide security countermeasures. Also covered are methods and technologies to prepare the student to disarm threats, plan for emerging'
  ➜ Skipping stray line: 'technologies and future attacks.'
  ➜ Skipping stray line: 'C701 - Ethical Hacking - Ethical Hacking builds the skills necessary to protect an organization's information system from unauthorized access and'
  ➜ Skipping stray line: 'system hacking. Topics include security threats, penetration testing, vulnerability analysis, risk mitigation, business-related issues, and'
  ➜ Skipping stray line: 'countermeasures. Students will learn how to expose system vulnerabilities, solutions for eliminating and/or preventing them, and how to apply hacking'
  ➜ Skipping stray line: 'skills on different types of networks and platforms. This course prepares students for the following certification exam: EC-Council’s Ethical Hacker'
  ➜ Skipping stray line: 'certification exam (312-50). This course has no prerequisites.'
  ➜ Skipping stray line: 'C702 - Forensics and Network Intrusion - Forensics and Network Intrusion builds proficiency in detecting hacking attacks and properly extracting'
  ➜ Skipping stray line: 'evidence to report the crime and conduct audits to prevent future attacks. Topics include computer forensics in today’s world; media and operating'
  ➜ Skipping stray line: 'system forensics; data and file forensics; audits and investigations; and device forensics. This course prepares students for the following certification'
  ➜ Skipping stray line: 'exam: EC-Council Computer Hacking Forensic Investigator. This course has no prerequisites.'
  ➜ Skipping stray line: 'C706 - Secure Software Design - This course provides a practical guide to establish proactive software security that focuses on analyzing risks,'
  ➜ Skipping stray line: 'understanding likely points of attack, and deciding how software responds to future attacks. Students learn how to construct software that can deal'
  ➜ Skipping stray line: 'with known and unknown attacks preemptively by examining systemic threats in various deployment environments and discussing vulnerabilities of'
  ➜ Skipping stray line: 'software applications.'
  ➜ Skipping stray line: 'C708 - Principles of Finance - This course provides students with the fundamental knowledge needed to understand and interact with finance'
  ➜ Skipping stray line: 'professionals and to apply financial tools in their professional and personal lives. It focuses on the financial management of companies, but the course'
  ➜ Skipping stray line: 'will also provide a foundation for specialized study in banking and investment for those who choose to continue their study of finance.'
  ➜ Skipping stray line: 'C711 - Introduction to Business - This course introduces students to the various functional areas within an organization (e.g. marketing, production,'
  ➜ Skipping stray line: 'finance, etc.) that support a firm’s overall business objectives.'
  ➜ Skipping stray line: 'C712 - Marketing Fundamentals - Marketing Fundamentals introduces students to principles of the marketing environment, social media, consumer'
  ➜ Skipping stray line: 'behavior, marketing research, and market segmentation. Students will also explore marketing strategies that are related to products and services,'
  ➜ Skipping stray line: 'distribution channels, promotions, sales, and pricing.'
  ➜ Skipping stray line: 'C713 - Business Law - This course introduces students to business law. Topics include the sources and types of law, contractual relationships,'
  ➜ Skipping stray line: 'government regulation of business, dispute resolution, alternative dispute resolution, tort and other civil liabilities, labor and employment law, and other'
  ➜ Skipping stray line: 'legal issues found in common business scenarios. Students will analyze examples of various business activities to learn whether specific laws apply.'
  ➜ Skipping stray line: 'C714 - Business Strategy - Strategy, Change and Organizational Behavior Concepts addresses complex material in the areas of organizational'
  ➜ Skipping stray line: 'behavior and strategic quality management. Topics include strategic planning, and competitive advantage.'
  ➜ Skipping stray line: 'This course focuses on models and practices of strategic management, including developing and implementing a strategy and evaluating performance'
  ➜ Skipping stray line: 'to achieve strategic goals and objectives.'
  ➜ Skipping stray line: 'C715 - Organizational Behavior - Organizational Behavior and Leadership explores how to lead and manage effectively in diverse business'
  ➜ Skipping stray line: 'environments. Students are asked to demonstrate the ability to apply organizational leadership theories and management strategies in a series of'
  ➜ Skipping stray line: 'scenario-based problems.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 162'
  ➜ Skipping stray line: 'C716 - Business Communication - Business Communication is a survey course of communication skills needed in the business environment.'
  ➜ Skipping stray line: 'Course content includes writing messages, reports, and résumés and delivering oral presentations. The course emphasizes communication'
  ➜ Skipping stray line: 'processes, writing skills, message types, and presentation of data. The development of these skills is integrated with the use of technology.'
  ➜ Skipping stray line: 'C717 - Business Ethics - Business Ethics is designed to enable students to identify the ethical and socially responsible courses of actions available'
  ➜ Skipping stray line: 'through the exploration of various scenarios in business. Students will also learn to develop appropriate ethics guidelines for a business. This course'
  ➜ Skipping stray line: 'has no prerequisites.'
  ➜ Skipping stray line: 'C718 - Microeconomics - Microeconomics introduces you to foundational economic concepts. You will learn how households maximize utility and'
  ➜ Skipping stray line: 'firms maximize profit in order to allocate their scarce resources. Upon completion of this course, you will be able to explain opportunity costs, the'
  ➜ Skipping stray line: 'importance of competition, and how demand and supply work to determine equilibrium price and quantity in perfectly competitive markets and under'
  ➜ Skipping stray line: 'monopolistic competition, oligopoly, and monopoly.'
  ➜ Skipping stray line: 'C719 - Macroeconomics - Macroeconomics provides you with an in-depth overview of the economy as a whole. The course covers market structure,'
  ➜ Skipping stray line: 'essential models, theories, and policies that affect international and domestic economic systems. You will learn how the economy operates and how'
  ➜ Skipping stray line: 'society manages its costs, benefits, and trade-offs when allocating scarce resources through market demand and supply. Other topics include how'
  ➜ Skipping stray line: 'output and growth in the economy are measured with GDP and how the government and Federal Reserve influence growth, unemployment, and'
  ➜ Skipping stray line: 'inflation through fiscal and monetary policy.'
  ➜ Skipping stray line: 'C720 - Operations and Supply Chain Management - Operations and Supply Chain Management provides a streamlined introduction to how'
  ➜ Skipping stray line: 'organizations efficiently produce goods and services, determine supply chain management strategies, and measure performance. Emphasis is placed'
  ➜ Skipping stray line: 'on integrative topics essential for managers in all disciplines, such as supply chain management, product development, and capacity planning. You'
  ➜ Skipping stray line: 'will learn how to analyze processes, manage quality for both services and products, and measure performance, while creating value along the supply'
  ➜ Skipping stray line: 'chain in a global environment. Topics include forecasting, product and service design, process design and location analysis, capacity planning,'
  ➜ Skipping stray line: 'management of quality and quality control, inventory management, scheduling, supply chain management, and performance measurement.'
  ➜ Skipping stray line: 'C721 - Change Management - Change Management provides an understanding of change and an overview of successfully managing change using'
  ➜ Skipping stray line: 'various methods and tools. Emphasizing change theories and various best practices, you will learn how to recognize and implement change using an'
  ➜ Skipping stray line: 'array of other effective strategies, including those related to innovation and leadership. Other topics include approaches to change, diagnosing and'
  ➜ Skipping stray line: 'planning for change, implementing change, and sustaining change.'
  ➜ Skipping stray line: 'C722 - Project Management - Project Management prepares you to manage projects from start to finish within any organizational structure. The'
  ➜ Skipping stray line: 'course presents a view into different project-management methods and delves into topics such as project profiling and phases, constraints, building'
  ➜ Skipping stray line: 'the project team, scheduling, and risk. You will be able to grasp the full scope of projects you may work on in the future, and apply the proper'
  ➜ Skipping stray line: 'management approaches to complete a project. The course features practice in each of the project phases as you learn how to strategically apply'
  ➜ Skipping stray line: 'project-management tools and techniques to help organizations achieve their goals.'
  ➜ Skipping stray line: 'C723 - Quantitative Analysis For Business - Quantitative Analysis for Business explores various decision-making models, including expected value'
  ➜ Skipping stray line: 'models, linear programming models, and inventory models. You will learn to analyze data by using a variety of analytic tools and techniques to make'
  ➜ Skipping stray line: 'better business decisions. In addition, you will develop project schedules using the Critical Path Method. Other topics include calculating and'
  ➜ Skipping stray line: 'evaluating formulas, measures of uncertainty, crash costs, and visual representation of decision-making models using electronic spreadsheets and'
  ➜ Skipping stray line: 'graphs. This course has no prerequisites.'
  ➜ Skipping stray line: 'C724 - Information Systems Management - This course provides an overview of many facets of information systems applicable to business. The'
  ➜ Skipping stray line: 'course explores the importance of viewing information technology (IT) as an organizational resource that must be managed, so that it supports or'
  ➜ Skipping stray line: 'enables organizational strategy. Topics: The 7 competencies covered in the course include the primary processes involved in system development'
  ➜ Skipping stray line: '(i.e., analysis, design, and implementation), networks, database resource management, hardware and software, e-commerce and social media, IS'
  ➜ Skipping stray line: 'security and ethics, and mobile vs. desktop computing. Students will learn how e-commerce, decision support, and communication are securely'
  ➜ Skipping stray line: 'facilitated in a global marketplace. The course also explores current and continuously evolving technologies, strategic thinking, and big-picture issues'
  ➜ Skipping stray line: 'at the intersection of management and technology.'
  ➜ Skipping stray line: 'C728 - Secondary Disciplinary Literacy - Secondary Disciplinary Literacy examines teaching strategies designed to help learners in grades 5-12'
  ➜ Skipping stray line: 'improve upon the literacy skills required to read, write, and think critically while engaging content in different academic disciplines. Themes include'
  ➜ Skipping stray line: 'exploring how language structures, text features, vocabulary, and context influence reading comprehension across the curriculum. Course content'
  ➜ Skipping stray line: 'highlights strategies and tools designed to help teachers assess the reading comprehension and writing proficiency of learners and provides strategies'
  ➜ Skipping stray line: 'to support students' reading and writing success in all curriculum areas. This course has no prerequisites.'
  ➜ Skipping stray line: 'C730 - Secondary Reading Instruction and Interventions - Secondary Reading Instruction and Intervention explores the comprehensive, student-'
  ➜ Skipping stray line: 'centered Response to Intervention (RTI) assessment and intervention model used to identify and address the needs of learners in grades 5–12 who'
  ➜ Skipping stray line: 'struggle with reading comprehension and/or information retention. Course content provides educators with effective strategies designed to scaffold'
  ➜ Skipping stray line: 'instruction and help learners develop increased skill in the following areas: reading, vocabulary, text structures and genres, and logical reasoning'
  ➜ Skipping stray line: 'related to the academic disciplines. This course has no prerequisites.'
  ➜ Skipping stray line: 'C732 - Elementary Disciplinary Literacy - Elementary Disciplinary Literacy examines teaching strategies designed to help learners in grades K–6'
  ➜ Skipping stray line: 'develop the literacy skills necessary to read, write, and think critically while engaging content in different academic disciplines. Course content'
  ➜ Skipping stray line: 'highlights strategies to help learners distinguish between the unique characteristics of informational texts while improving comprehension and writing'
  ➜ Skipping stray line: 'proficiency across the curriculum. Strategies to encourage inquiry and cultivate skills in critical thinking, collaboration, and creativity also are'
  ➜ Skipping stray line: 'addressed. This course has no prerequisites.'
  ➜ Skipping stray line: 'C733 - Elementary Disciplinary Literacy - Elementary Disciplinary Literacy examines teaching strategies designed to help learners in grades K–6'
  ➜ Skipping stray line: 'develop the literacy skills necessary to read, write, and think critically while engaging content in different academic disciplines. Course content'
  ➜ Skipping stray line: 'highlights strategies to help learners distinguish between the unique characteristics of informational texts while improving comprehension and writing'
  ➜ Skipping stray line: 'proficiency across the curriculum. Strategies to encourage inquiry and cultivate skills in critical thinking, collaboration, and creativity also are'
  ➜ Skipping stray line: 'addressed. This course has no prerequisites.'
  ➜ Skipping stray line: 'C736 - Evolution - Students will learn why evolution is the fundamental concept that underlies all life sciences and how it contributes to advances in'
  ➜ Skipping stray line: 'medicine, public health and conservation. Course participants will gain a firm understanding of the basic mechanisms of evolution including the'
  ➜ Skipping stray line: 'process of speciation --- and how these systems have given rise to the great diversity of life in the world today. They will also explore how new ideas,'
  ➜ Skipping stray line: 'discoveries and technologies are modifying prior evolutionary concepts. Ultimately, the course will explain how evolution works and how we know what'
  ➜ Skipping stray line: 'we know.'
  ➜ Skipping stray line: 'C737 - Evolution - Students will learn why evolution is the fundamental concept that underlies all life sciences and how it contributes to advances in'
  ➜ Skipping stray line: 'medicine, public health and conservation. Course participants will gain a firm understanding of the basic mechanisms of evolution including the'
  ➜ Skipping stray line: 'process of speciation --- and how these systems have given rise to the great diversity of life in the world today. They will also explore how new ideas,'
  ➜ Skipping stray line: 'discoveries and technologies are modifying prior evolutionary concepts. Ultimately, the course will explain how evolution works and how we know what'
  ➜ Skipping stray line: 'we know.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 163'
  ➜ Skipping stray line: 'C738 - Space, Time and Motion - Throughout history, humans have grappled with questions about the origin, workings, and behavior of the universe.'
  ➜ Skipping stray line: 'This seminar begins with a quick tour of discovery and exploration in physics, from the ancient Greek philosophers on to Galileo Galilei, Isaac Newton'
  ➜ Skipping stray line: 'and Albert Einstein. Einstein’s work then serves as the departure point for a detailed look at the properties of motion, time, space, matter, and energy.'
  ➜ Skipping stray line: 'The course considers Einstein’s Special Theory of Relativity, his photon hypothesis, wave-particle duality, his General Theory of Relativity and its'
  ➜ Skipping stray line: 'implications for astrophysics and cosmology, as well as his three-decade quest for a unified field theory. It also looks at Einstein as a social and'
  ➜ Skipping stray line: 'political figure, and his contributions as a social and political force. Scientist-authored essays, online interaction, videos, and web resources enable'
  ➜ Skipping stray line: 'learners to trace this historic path of discovery and explore implications of technology for society, energy production in stars, black holes, the Big Bang'
  ➜ Skipping stray line: 'and the role of the scientist in modern society.'
  ➜ Skipping stray line: 'C739 - Space, Time and Motion - Throughout history, humans have grappled with questions about the origin, workings, and behavior of the universe.'
  ➜ Skipping stray line: 'This seminar begins with a quick tour of discovery and exploration in physics, from the ancient Greek philosophers on to Galileo Galilei, Isaac Newton'
  ➜ Skipping stray line: 'and Albert Einstein. Einstein’s work then serves as the departure point for a detailed look at the properties of motion, time, space, matter, and energy.'
  ➜ Skipping stray line: 'The course considers Einstein’s Special Theory of Relativity, his photon hypothesis, wave-particle duality, his General Theory of Relativity and its'
  ➜ Skipping stray line: 'implications for astrophysics and cosmology, as well as his three-decade quest for a unified field theory. It also looks at Einstein as a social and'
  ➜ Skipping stray line: 'political figure, and his contributions as a social and political force. Scientist-authored essays, online interaction, videos, and web resources enable'
  ➜ Skipping stray line: 'learners to trace this historic path of discovery and explore implications of technology for society, energy production in stars, black holes, the Big Bang'
  ➜ Skipping stray line: 'and the role of the scientist in modern society.'
  ➜ Skipping stray line: 'C740 - Fundamentals of Data Analytics - This course provides an introduction to a variety of tools and techniques used in the field of data analytics.'
  ➜ Skipping stray line: 'Students will summarize data, review statistical models, explore data mining techniques, and contemplate ethical considerations associated with the'
  ➜ Skipping stray line: 'field of data analytics. This course presents a survey of concepts which will be explored more in-depth in subsequent courses in the MS Data Analytics'
  ➜ Skipping stray line: 'program.'
  ➜ Skipping stray line: 'C741 - Statistics for Data Analysis - This course covers a broad range of statistical techniques and methods applied in real-world settings. Topics'
  ➜ Skipping stray line: 'presented include inferential, parametric and non-parametric statistics, as well as regression analysis and analysis of variance.'
  ➜ Skipping stray line: 'C742 - Data Science Tools and Techniques - This course covers data science tools and techniques to perform data wrangling and exploration. You'
  ➜ Skipping stray line: 'will be introduced to programming languages and web scraping tools along with machine learning models.'
  ➜ Skipping stray line: 'C743 - Data Mining and Analytics I - This course is an introduction to data mining and exploratory data analysis, including text and web mining.'
  ➜ Skipping stray line: 'Topics include the use of data exploration methods to prepare data, familiarization with commercial data types commonly used for data mining, the'
  ➜ Skipping stray line: 'use of statistical and data mining software, including R, SAS and SPSS, and the comparison and classification of data mining methods.'
  ➜ Skipping stray line: 'C744 - Data Mining and Analytics II - This course examines the application of descriptive and predictive data mining techniques to reveal information'
  ➜ Skipping stray line: 'within a mass of data. Techniques include factor analysis, cluster analysis, classification methods, and neural networks to limit human subjectivity in'
  ➜ Skipping stray line: 'decision making processes.'
  ➜ Skipping stray line: 'C745 - Advanced Data Visualization - The focus of this course is visualizing and telling stories with data. This course begins with a description of the'
  ➜ Skipping stray line: 'growth of data and visualization in industry, news, and government. Actual human stories will be reviewed from a data-statistical perspective. The'
  ➜ Skipping stray line: 'creation of graphs, displays and geospatial data presentations to communicate information supporting decision making while implementing best'
  ➜ Skipping stray line: 'practices for effective storytelling will be examined.'
  ➜ Skipping stray line: 'C746 - Advanced SQL - This course prepares the student for the Oracle Database SQL (1Z0-071) certification exam. Students will master the SQL'
  ➜ Skipping stray line: 'language which will allow them to restrict and sort data, manage data, objects and tables, create schema objects, and control user access.'
  ➜ Skipping stray line: 'C747 - SAS Programming I: Fundamentals - This course prepares the student for the Base Programmer for SAS 9 Certification (A00-211). Students'
  ➜ Skipping stray line: 'will achieve competencies in SAS programming that will allow them to import and export raw data files, manipulate and transform data, combine SAS'
  ➜ Skipping stray line: 'data sets, identify and correct syntax errors, and write SAS code on the SAS platform.'
  ➜ Skipping stray line: 'C748 - SAS Programming II: Business Analysis Applications - This course prepares the student for the SAS Statistical Business Analyst for SAS'
  ➜ Skipping stray line: '9 Certification (A00-240). Students will gain competency to conduct, interpret, and present complex statistical data analysis in the SAS platform.'
  ➜ Skipping stray line: 'C749 - Introduction to Data Science - This Introduction to Data Science course introduces the data analysis process and common statistical'
  ➜ Skipping stray line: 'techniques necessary for the analysis of data. Students will ask questions that can be solved with a given data set, set up experiments, use statistics'
  ➜ Skipping stray line: 'and data wrangling to test hypotheses, find ways to speed up their data analysis code, make their data set easier to access, and communicate their'
  ➜ Skipping stray line: 'findings.'
  ➜ Skipping stray line: 'C750 - Data Wrangling with MongoDB - This course elaborates on concepts covered in Introduction to Data Science, helping to develop skills'
  ➜ Skipping stray line: 'crucial to the field of data science and analysis. It explores how to wrangle data from diverse sources and shape it to enable data-driven applications—'
  ➜ Skipping stray line: 'a common activity in many data scientists' routine.'
  ➜ Skipping stray line: 'Topics covered include gathering and extracting data from widely-used data formats, assessing the quality of data, and exploring best practices for'
  ➜ Skipping stray line: 'data cleaning. This course also introduces MongoDB, covering the essentials of storing data and the MongoDB query language together with'
  ➜ Skipping stray line: 'exploratory analysis using the MongoDB aggregation framework.'
  ➜ Skipping stray line: 'C751 - Data Analysis with R - This course focuses on exploratory data analysis (EDA) utilizing R. EDA is an approach for summarizing and'
  ➜ Skipping stray line: 'visualizing the important characteristics of a data set. Exploratory data analysis focuses on exploring data to understand the data’s underlying'
  ➜ Skipping stray line: 'structure and variables to develop intuition about the data set, to consider how that data set came into existence, and to decide how it can be'
  ➜ Skipping stray line: 'investigated with more formal statistical methods.'
  ➜ Skipping stray line: 'C752 - Data Visualization - This course covers the application of design principles, human perception, color theory, and effective storytelling in the'
  ➜ Skipping stray line: 'context of data visualization. It addresses presenting data to others, facilitating aspirations to be an analyst or data scientist, and advancing technology'
  ➜ Skipping stray line: 'with visualization tools. Additionally, this course focuses on how to visually encode and present data to an audience.'
  ➜ Skipping stray line: 'C753 - Machine Learning - This course presents the end-to-end process of investigating data through a machine learning lens. Topics covered'
  ➜ Skipping stray line: 'include: techniques for extracting data, identifying useful features that best represent data, a survey of commonly-used machine learning algorithms,'
  ➜ Skipping stray line: 'and methods for evaluating the performance of machine learning algorithms.'
  ➜ Skipping stray line: 'C754 - Structured Query Language - This course focuses on structured query language (SQL). It starts with a review of the basic statements and'
  ➜ Skipping stray line: 'continues on to the creation of complex queries that affect multiple tables and utilize SQL functions. Data manipulation language (DML) and data'
  ➜ Skipping stray line: 'definition language (DDL) are also covered, thus enabling the student to create and maintain database objects and modify data by using SQL'
  ➜ Skipping stray line: 'commands.'
  ➜ Skipping stray line: 'C755 - Database Server Administration - This course covers the installation, configuration, and administration of database servers. Students will be'
  ➜ Skipping stray line: 'introduced to all the logical and physical components of a database server and learn to set up a server in a network environment. Tools and strategies'
  ➜ Skipping stray line: 'for access and space management will be covered, as well as backup, restoration, and upgrade techniques.'
  ➜ Skipping stray line: 'C756 - Data Analytics - This course covers the most common tools, techniques, and procedures involved in data analytics. Students will review all'
  ➜ Skipping stray line: 'the disciplines involved with data analytics learned in previous courses and get a better understanding of how they all relate to one another.'
  ➜ Skipping stray line: 'C762 - Teacher Performance Assessment in Science - The Teacher Performance Assessment is a culmination of the wide variety of skills learned'
  ➜ Skipping stray line: 'during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of'
  ➜ Skipping stray line: 'your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 164'
  ➜ Skipping stray line: 'C763 - Healthcare Information Systems Management - Information Systems Management provides an overview of many facets of information'
  ➜ Skipping stray line: 'systems that are applicable to business and healthcare. The course explores how information technology (IT) is an organizational resource that must'
  ➜ Skipping stray line: 'be managed so that it supports or enables organizational strategy. The course will discuss how decision support and communication are securely'
  ➜ Skipping stray line: 'facilitated in a global marketplace. The course also explores current and continuously evolving technologies, strategic thinking, and issues at the'
  ➜ Skipping stray line: 'intersection of management and technology.'
  ➜ Skipping stray line: 'C768 - Technical Communication - This course covers basic elements of technical communication, including professional written communication'
  ➜ Skipping stray line: 'proficiency; the ability to strategize approaches for differing audiences; and technical style, grammar, and syntax proficiency.'
  ➜ Skipping stray line: 'C769 - IT Capstone Written Project - The capstone project consists of a technical work proposal, the proposal’s implementation, and a post-'
  ➜ Skipping stray line: 'implementation report that describes the graduate’s experience in developing and implementing the capstone project. The capstone project should be'
  ➜ Skipping stray line: 'presented and approved by the mentor in relation to the graduate’s technical emphasis.'
  ➜ Skipping stray line: 'C772 - Data Analytics Graduate Capstone - The Data Analytics Graduate Capstone course allows the student to demonstrate their application of the'
  ➜ Skipping stray line: 'academic and professional abilities developed as a graduate student. The capstone challenges students to integrate skills and knowledge from'
  ➜ Skipping stray line: 'several program domains into one project.'
  ➜ Skipping stray line: 'C773 - User Interface Design - This course covers tools and techniques employed in user interface design including web and mobile applications.'
  ➜ Skipping stray line: 'Concepts of clarity, usability and detectability are included in this course as well as other design elements such as color schemes, typography, and'
  ➜ Skipping stray line: 'layout . Techniques like wireframing, usability testing, and SEO optimization are also covered. This course prepares students for the CIW User'
  ➜ Skipping stray line: 'Interface Designer certification.'
  ➜ Skipping stray line: 'C777 - Web Development Applications - This course prepares students for the CIW Advanced HTML5 and CSS3 Specialist certification exam. This'
  ➜ Skipping stray line: 'course builds upon a student's manual coding skills by teaching how to develop web documents and pages using the Web Development Trifecta:'
  ➜ Skipping stray line: 'HTML5 (Hypertext Markup Language version 5) and CSS3 (Cascading Style Sheets version 3) and JavaScript. Students will utilize the skills learned'
  ➜ Skipping stray line: 'in this course to create web documents and pages that easily adapt to display on both traditional and mobile devices. In addition, students will learn'
  ➜ Skipping stray line: 'techniques for code validation and testing, form creation, inline form field validation, and mobile design for browsers and apps, including Responsive'
  ➜ Skipping stray line: 'Web Design (RWD).'
  ➜ Skipping stray line: 'C779 - Web Development Foundations -'
  ➜ Skipping stray line: 'This course prepares students for the CIW Site Development Associate certification. The course introduces students to web design and development'
  ➜ Skipping stray line: 'by presenting them with HTML5 and CSS, the foundational languages of the web, by reviewing media strategies, and by using tools and techniques'
  ➜ Skipping stray line: 'commonly employed in web development.'
  ➜ Skipping stray line: 'C783 - Project Management - In this course, students examine project management concepts based on the five process groups and ten knowledge'
  ➜ Skipping stray line: 'areas identified in the Project Management Body of Knowledge (PMBOK) Guide in preparation for completing the PMI Certified Associate in Project'
  ➜ Skipping stray line: 'Management (CAPM) certification exam.'
  ➜ Skipping stray line: 'C784 - Applied Healthcare Statistics - Applied Healthcare Probability and Statistics is designed to help you develop competence in the fundamental'
  ➜ Skipping stray line: 'concepts of basic mathematics, introductory algebra, and statistics and probability. These concepts include: basic arithmetic with fractions and signed'
  ➜ Skipping stray line: 'numbers; introductory algebra and graphing; descriptive statistics; regression and correlation; and probability. Statistical data and probability are now'
  ➜ Skipping stray line: 'commonplace in the healthcare field. You need to be able to make informed decisions about which studies and results are valid, which are not, and'
  ➜ Skipping stray line: 'how those results affect your decisions. This course will give you background in what constitutes sound research design and how to appropriately'
  ➜ Skipping stray line: 'model phenomena using statistical data. Additionally, you will be able to calculate simple probabilities, especially based on events which occur in the'
  ➜ Skipping stray line: 'healthcare profession. This course will prepare you for your studies at WGU, as well as in the healthcare profession.'
  ➜ Skipping stray line: 'C785 - Biochemistry - Biochemistry covers the structure and function of the four major polymers produced by living organisms. These include nucleic'
  ➜ Skipping stray line: 'acids, proteins, carbohydrates, and lipids. This course focuses on application! Be sure to understand the underlying biochemistry in order to grasp how'
  ➜ Skipping stray line: 'it is applied. By successfully completing this course, you will gain an introductory understanding of the chemicals and reactions that sustain life. You'
  ➜ Skipping stray line: 'will also begin to see the importance of this subject matter to health.'
  ➜ Skipping stray line: 'C787 - Health and Wellness Through Nutritional Science - Nutritional ignorance or misunderstandings are at the root of the health problems that'
  ➜ Skipping stray line: 'most Americans face today. Nurses need to be armed with the most current information available about nutrition science including how to understand'
  ➜ Skipping stray line: 'nutritional content of food, implications of exercise and activity on food consumption and weight management, and management of community or'
  ➜ Skipping stray line: 'population specific nutritional challenges. The Nutrition for Contemporary Society course should prepare nurses to provide support, guidance and'
  ➜ Skipping stray line: 'teaching about incorporation of sound nutritional principles into daily life for health promotion. This course covers the following concepts: nutrition to'
  ➜ Skipping stray line: 'support wellness; healthy nutritional choices; nutrition and physical activity; nutrition through the lifecycle; safety and security of food; and nutrition and'
  ➜ Skipping stray line: 'global health environments.'
  ➜ Skipping stray line: 'C790 - Foundations in Nursing Informatics - This course addresses the integration of technology to improve and support nursing practice. It'
  ➜ Skipping stray line: 'provides nurses with a foundational understanding of nursing informatics theory, practice, and applications. Topics include the role of nursing in'
  ➜ Skipping stray line: 'informatics; use of computer technology for clinical documentation, communication, and workflows; problem identification; project implementation; and'
  ➜ Skipping stray line: 'best practices.'
  ➜ Skipping stray line: 'C791 - Advanced Information Management and the Application of Technology - In this course you will examine complementary roles of master’s'
  ➜ Skipping stray line: 'level-prepared nursing information technology professionals, including informaticists and quality officers. You will analyze current and emerging'
  ➜ Skipping stray line: 'technologies; data management; ethical legal and regulatory best-practice evidence; and bio-health informatics using decision-making support'
  ➜ Skipping stray line: 'systems at the point of care.'
  ➜ Skipping stray line: 'C792 - Data Modeling and Database Management Systems - This graduate course is designed to engage the student in planning, analyzing, and'
  ➜ Skipping stray line: 'designing a relational database management system (DBMS) for use by nurse administrators, clinicians, educators, and informaticists. This'
  ➜ Skipping stray line: 'experience will provide the knowledge needed to advocate for nursing informatics needs within the field of healthcare.'
  ➜ Skipping stray line: 'C793 - Nursing Informatics Field Experience - In the Nursing Informatics Field Experience, you will complete a hands-on field experience while'
  ➜ Skipping stray line: 'working with a preceptor in a setting relevant to your professional situation and nursing informatics. Today’s rapidly changing health delivery system'
  ➜ Skipping stray line: 'requires nurse informaticists to be prepared to effectively lead change and facilitate learning that is dynamic and meets the needs of a diverse student'
  ➜ Skipping stray line: 'and professional nursing population. To help you develop competency in this area, you will apply methods and solutions to support clinical decisions'
  ➜ Skipping stray line: 'and improve health outcomes by designing data collection instruments, developing a database management system and analyzing data using'
  ➜ Skipping stray line: 'statistical and geospatial techniques in a simulated environment.'
  ➜ Skipping stray line: 'C794 - Nursing Informatics Capstone - The Nursing Informatics Capstone is the final leg in your journey to graduation. During this course, you will'
  ➜ Skipping stray line: 'present evidence of the knowledge and skills you gained during this program by completing a comprehensive evaluation of a health information'
  ➜ Skipping stray line: 'system. You will develop a multimedia presentation that reviews and reflects on your learning experiences during the Nursing Informatics program.'
  ➜ Skipping stray line: 'This scholarly presentation is a synthesis that illustrates the acquisition of nursing informatics knowledge, skills, and competencies. Your final'
  ➜ Skipping stray line: 'presentation should demonstrate how the integration of nursing informatics facilitates the transformation of data and information to knowledge and'
  ➜ Skipping stray line: 'wisdom in a nursing practice. The presentation will be developed using the best practices for narrated PowerPoint presentations (see the MSN'
  ➜ Skipping stray line: 'Capstone Presentation section for details).'
  ➜ Skipping stray line: 'C797 - Data Science and Analytics - This course addresses the interdisciplinary and emerging field of data science in healthcare. Students will learn'
  ➜ Skipping stray line: 'to combine tools and techniques from statistics, computer science, data visualization, and the social sciences to solve problems using data. Topics'
  ➜ Skipping stray line: 'include data analysis, database management, inferential and descriptive statistics, statistical inference, and process improvement.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 165'
  ➜ Skipping stray line: 'C798 - Informatics System Analysis and Design - In Informatics System Analysis and Design, a broad understanding of data systems is covered to'
  ➜ Skipping stray line: 'build upon the Foundations in Nursing Informatics course. The importance of effective interoperability, functionality, data access, and user satisfaction'
  ➜ Skipping stray line: 'are addressed. The student will be analyzing reports and integrating federal regulations, research principles, and principles of environmental health in'
  ➜ Skipping stray line: 'the construction of a real-world systems analysis and design project. This course will be directly applicable to healthcare settings as electronic records'
  ➜ Skipping stray line: 'management has become compulsory for healthcare providers. All of the information in this course will be directly tied to the delivery of quality patient'
  ➜ Skipping stray line: 'care and patient safety.'
  ➜ Skipping stray line: 'C799 - Healthcare Ecosystems - Healthcare Ecosystems explores the history and state of healthcare organizations in an ever-changing'
  ➜ Skipping stray line: 'environment. This course covers how agencies influence healthcare delivery through legal, licensure, certification, and accreditation standards. The'
  ➜ Skipping stray line: 'course will also discuss how new technologies and trends keep healthcare delivery innovative and current.'
  ➜ Skipping stray line: 'C800 - Introduction to Healthcare IT Systems - Introduction to Healthcare IT Systems introduces students to information technology as a discipline.'
  ➜ Skipping stray line: 'This course also exposes students to the various roles and functions of the health information manager to support the business of healthcare. There'
  ➜ Skipping stray line: 'are no prerequisites for this course.'
  ➜ Skipping stray line: 'C801 - Health Information Law and Regulations - Health Information Law and Regulations prepares students to manage health information in'
  ➜ Skipping stray line: 'compliance with legal guidelines and teaches how to respond to questions and challenges when legal issues occur. This course presents the types of'
  ➜ Skipping stray line: 'situations occurring in health information management that could result in ethical dilemmas and establishes a foundation for work based on legal and'
  ➜ Skipping stray line: 'ethical guidelines.'
  ➜ Skipping stray line: 'C802 - Foundations in Healthcare Information Management - Foundations in Healthcare Information applies theories from business, IT,'
  ➜ Skipping stray line: 'management, medicine, and consumer-centered healthcare skills. Students will learn to evaluate and analyze health information systems for'
  ➜ Skipping stray line: 'implementation in health information management. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C803 - Data Analytics and Information Governance - Data Analytics and Information Governance explores the structure, methods, and approaches'
  ➜ Skipping stray line: 'for using health information in the healthcare industry. By focusing on quality data collection, analytics, and industry regulations, students will examine'
  ➜ Skipping stray line: 'tools that ensure quality data collection as well as use data to improve quality of care. This course has no prerequisites.'
  ➜ Skipping stray line: 'C804 - Medical Terminology - Medical Terminology focuses on the basic components of medical terminology and how terminology is used when'
  ➜ Skipping stray line: 'discussing various body structures and systems. Proper use of medical terminology is critical for accurate and clear communication among medical'
  ➜ Skipping stray line: 'staff, health professionals, and patients. In addition to the systems of the body, this course will discuss immunity, infections, mental health, and cancer.'
  ➜ Skipping stray line: 'C805 - Pathophysiology - Pathophysiology is an overview of the pathology and treatment of diseases in the human body and its systems. This'
  ➜ Skipping stray line: 'course will explain the processes in the body that result in the signs and symptoms of disease, as well as therapeutic procedures in managing or'
  ➜ Skipping stray line: 'curing the disease. The content draws on a knowledge of anatomy and physiology to understand how diseases manifest themselves and how they'
  ➜ Skipping stray line: 'affect the body.'
  ➜ Skipping stray line: 'C806 - Introduction to Pharmacology - Introduction to Pharmacology provides information about drug development and approvals, pharmaceutical'
  ➜ Skipping stray line: 'classifications, metabolism, and the effect of drugs on body systems. The course will introduce advancements in pharmaceutical technology,'
  ➜ Skipping stray line: 'regulatory requirements within electronic health record systems, and the financial implications of pharmaceutical coding and billing. This course has no'
  ➜ Skipping stray line: 'prerequisites.'
  ➜ Skipping stray line: 'C807 - Healthcare Compliance - Healthcare Compliance examines the role of the coding professional within healthcare information management.'
  ➜ Skipping stray line: 'The course covers compliance plans, issues that arise with noncompliance, and management of internal and external audits.'
  ➜ Skipping stray line: 'C808 - Classification Systems - Classification Systems provides a comprehensive approach to learning about medical coding classification, coding'
  ➜ Skipping stray line: 'audits and quality standards. Students will be exposed to electronic health record systems and leadership principles as they relate to management of'
  ➜ Skipping stray line: 'ICD and CPT codes. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C810 - Foundations in Healthcare Data Management - Foundations in Healthcare Data Management introduces students to the concepts and'
  ➜ Skipping stray line: 'terminology used in health data and health information management. This course teaches students how to apply data management and governance'
  ➜ Skipping stray line: 'principles in the healthcare environment. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C811 - Healthcare Financial Resource Management - Healthcare Financial Resource Management examines financial practices within healthcare'
  ➜ Skipping stray line: 'industries to promote effective management at department and organization levels. Focusing on financial processes associated with facility operations'
  ➜ Skipping stray line: 'in the healthcare field, this course will analyze the impact of strategic financial planning and regulatory control processes. This course has no'
  ➜ Skipping stray line: 'prerequisites.'
  ➜ Skipping stray line: 'C812 - Healthcare Reimbursement - Healthcare Reimbursement explores financial practices within the healthcare industry as they relate to'
  ➜ Skipping stray line: 'reimbursement policies. This course identifies how reimbursement systems impact the revenue cycle and a health information manager's role. This'
  ➜ Skipping stray line: 'course has no prerequisites.'
  ➜ Skipping stray line: 'C813 - Healthcare Statistics and Research - Healthcare Statistics and Research explores the use of statistical data to support process improvement'
  ➜ Skipping stray line: 'through health information research. Health information management (HIM) professionals use information systems to gather, analyze, and present'
  ➜ Skipping stray line: 'data in response to administrative and clinical needs. This course has no prerequisites.'
  ➜ Skipping stray line: 'C815 - Quality and Performance Management and Methods - Quality and Performance Management and Methods examines quality initiatives'
  ➜ Skipping stray line: 'within healthcare. Quality issues cover human resource management, employee performance and patient safety. This course focuses on quality'
  ➜ Skipping stray line: 'improvement initiatives and performance improvement with the health information management perspective.'
  ➜ Skipping stray line: 'C816 - Healthcare System Applications - Healthcare System Applications introduces students to information systems. This course includes'
  ➜ Skipping stray line: 'important topics related to management of information systems (MIS), such as system development and business continuity. The course also provides'
  ➜ Skipping stray line: 'an overview of management tools and issue tracking systems. This course has no prerequisites.'
  ➜ Skipping stray line: 'C818 - Health Information Management Capstone - tbd'
  ➜ Skipping stray line: 'C820 - Professional Leadership and Communication for Healthcare - The Leadership and Communication course is designed to help students'
  ➜ Skipping stray line: 'prepare for success in the online environment at Western Governors University and beyond. Student success starts with the social support and self-'
  ➜ Skipping stray line: 'reflective awareness that will prepare students to weather the challenges of academic programs. In this course students will participate in group'
  ➜ Skipping stray line: 'activities and complete a number of individual assignments. The group activities are aimed at finding support and insight from other students. The'
  ➜ Skipping stray line: 'assignments are intended to give the student an opportunity to reflect about where they are and where they would like to be. The activities in each'
  ➜ Skipping stray line: 'group meeting are designed to give students several tools they can use to achieve success. This course is designed as a eight-part intensive learning'
  ➜ Skipping stray line: 'experience. Students will attend eight group meetings during the term. At each meeting students will engage in activities that help them understand'
  ➜ Skipping stray line: 'their own educational journey and find support and inspiration in the journey of others.'
  ➜ Skipping stray line: 'C821 - Nursing Education Field Experience - Nurse educators teach the next generation of nurses, in academic and clinical settings. They must be'
  ➜ Skipping stray line: 'licensed to practice nursing and have considerable hands-on nursing experience, as well as advanced training and education. The Nursing Education'
  ➜ Skipping stray line: 'Field Experience provides the graduate student with an opportunity to work collaboratively within the organization where he/she is employed to'
  ➜ Skipping stray line: 'address an identified nursing problem, need, or gap in current practices. Students then work to promote a practice change, quality improvement, or'
  ➜ Skipping stray line: 'innovation that is based on the existing evidence and best practices.'
  ➜ Skipping stray line: 'C822 - Nurse Educator Capstone - The capstone is a scholarly project that addresses an issue, need, gap or opportunity resulting from an identified'
  ➜ Skipping stray line: 'in nursing education or healthcare need. The capstone project provides the opportunity for the graduate nursing student to demonstrate competency'
  ➜ Skipping stray line: 'through design, application and evaluation of advanced nursing knowledge and higher level leadership skills for ultimately improving health outcomes'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 166'
  ➜ Skipping stray line: 'C823 - Nursing Leadership and Management Field Experience - Today’s rapidly changing healthcare delivery environment requires nurse'
  ➜ Skipping stray line: 'executives to effectively lead change to achieve organization goals and improvements. Registered nurses needs to hold an active nursing license and'
  ➜ Skipping stray line: 'have considerable clinical experience and education to become a nurse leader or manager. The Nursing Leadership and Management Field'
  ➜ Skipping stray line: 'Experience provides the graduate student with an opportunity to work collaboratively within the organization where he/she is employed to address an'
  ➜ Skipping stray line: 'identified nursing problem, need, or gap in current practices. Students then work to promote a practice change, quality improvement, or innovation that'
  ➜ Skipping stray line: 'is based on the existing evidence and best practices.'
  ➜ Skipping stray line: 'C824 - Nursing Leadership and Management Capstone - The Nursing Leadership and Management capstone course provides the student with an'
  ➜ Skipping stray line: 'opportunity to engage in a project that is actionable, relevant, highly collaborative, and based on real world experience. The capstone involves'
  ➜ Skipping stray line: 'development of a scholarly project that addresses a problem, need, or gap in current practices. The capstone project provides an opportunity for the'
  ➜ Skipping stray line: 'graduate nursing student to demonstrate competency through design, application, and evaluation of a planned practice change, quality improvement,'
  ➜ Skipping stray line: 'or innovation that is based on the existing evidence and best practices.'
  ➜ Skipping stray line: 'C825 - Introduction to Nursing Arts and Science - Intro to Nursing Clinical Skills is a skills lab section in which students will have the opportunity to'
  ➜ Skipping stray line: 'practice skills learned in didactic in a learning lab. Students will be introduced to and learn the fundamental skills of nursing, including: assessment,'
  ➜ Skipping stray line: 'vital signs, principles of safety, equipment uses, bathing, oral hygiene, perineal care, principles of asepsis, ambulating, transferring, range of motion,'
  ➜ Skipping stray line: 'restraints, fall prevention, and communication. Students successful in the lab assessment will be considered for admission to the BSRN program.'
  ➜ Skipping stray line: 'C826 - Community Health and Population-Focused Nursing - Community Health and Population-Focused Nursing will assist students in becoming'
  ➜ Skipping stray line: 'familiar with foundational theories and models of health promotion applicable to the community health nursing environment. Students will develop an'
  ➜ Skipping stray line: 'understanding of how policies and resources influence the health of populations. Focus is concentrated on learning the importance of a community'
  ➜ Skipping stray line: 'assessment to improve or resolve a community health issue. Students will be introduced to the relationships between cultures and communities and'
  ➜ Skipping stray line: 'the steps necessary to create community collaboration with the goal to improve or resolve community health issues in a variety of settings. Students'
  ➜ Skipping stray line: 'will gain a greater understanding of health systems in the United States, global health issues, quality-of-life issues, cultural influences, community'
  ➜ Skipping stray line: 'collaboration, and emergency preparedness.'
  ➜ Skipping stray line: 'C828 - Teacher Performance Assessment in Elementary Education - The Teacher Performance Assessment is a culmination of the wide variety of'
  ➜ Skipping stray line: 'skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a'
  ➜ Skipping stray line: 'collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C829 - Teacher Performance Assessment in Elementary and Special Education - The Teacher Performance Assessment is a culmination of the'
  ➜ Skipping stray line: 'wide variety of skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you'
  ➜ Skipping stray line: 'will showcase a collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C830 - Teacher Performance Assessment in Mathematics Education - The Teacher Performance Assessment is a culmination of the wide variety'
  ➜ Skipping stray line: 'of skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase'
  ➜ Skipping stray line: 'a collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C836 - Fundamentals of Information Security - This course lays the foundation for understanding terminology, principles, processes and best'
  ➜ Skipping stray line: 'practices of information security at local and global levels. It further provides an overview of basic security vulnerabilities and countermeasures for'
  ➜ Skipping stray line: 'protecting information assets through planning and administrative controls within an organization.'
  ➜ Skipping stray line: 'C837 - Managing Web Security - Almost all businesses and organizations require a web presence. The security needs, demands, and defenses for'
  ➜ Skipping stray line: 'these online environments differ from those of an isolated single computer or intranet. This course introduces best practices for preventing security'
  ➜ Skipping stray line: 'breaches by applying web security protocols, firewalls, and system configurations. This course prepares students for the Web Security Associate (CIW'
  ➜ Skipping stray line: 'WSA) certification exam.'
  ➜ Skipping stray line: 'C838 - Managing Cloud Security - Many of today’s companies and organizations have outsourced data management, availability, and operational'
  ➜ Skipping stray line: 'processes through cloud computing. In this course, students design solutions for cloud-based platforms and operations that maintain data availability'
  ➜ Skipping stray line: 'while protecting the confidentiality and integrity of information. This includes security controls, disaster recovery plans, and continuity management'
  ➜ Skipping stray line: 'plans that address physical, logical, and human factors. This course prepares students for the Certified Cloud Security Professional (ISC2 CCSP)'
  ➜ Skipping stray line: 'certification exam.'
  ➜ Skipping stray line: 'C839 - Introduction to Cryptography - This course provides students with knowledge of cryptographic algorithms, protocols, and their uses in the'
  ➜ Skipping stray line: 'protection of information in various states. This course prepares students for the Certified Encryption Specialist (EC-Council ECES) certification exam.'
  ➜ Skipping stray line: 'C840 - Digital Forensics in Cybersecurity - Digital forensics, the science of investigating cybercrimes, seeks evidence that reveals who, what, when,'
  ➜ Skipping stray line: 'where, and how threats compromise information. This course examines the relationships between incident categories, evidence handling, and incident'
  ➜ Skipping stray line: 'management. Students identify consequences associated with cyber threats and security laws using a variety of tools to recognize and recover from'
  ➜ Skipping stray line: 'unauthorized, malicious activities.'
  ➜ Skipping stray line: 'C841 - Legal Issues in Information Security - Security information professionals have the role and responsibility for knowing and applying ethical'
  ➜ Skipping stray line: 'and legal principles and processes that define specific needs and demands to assure data integrity within an organization. This course addresses the'
  ➜ Skipping stray line: 'laws, regulations, authorities, and directives that inform the development of operational policies, best practices, and training to assure legal'
  ➜ Skipping stray line: 'compliance and to minimize internal and external threats. Students analyze legal constraints and liability concerns that threaten information security'
  ➜ Skipping stray line: 'within an organization and develop disaster recovery plans to assure business continuity.'
  ➜ Skipping stray line: 'C842 - Cyber Defense and Countermeasures - Traditional defenses such as firewalls, security protocols, and encryption sometimes fail to stop'
  ➜ Skipping stray line: 'attackers determined to access and compromise data. This course provides the fundamental skills to handle and respond to the computer security'
  ➜ Skipping stray line: 'incidents in an information system. The course addresses various underlying principles and techniques for detecting and responding to current and'
  ➜ Skipping stray line: 'emerging computer security threats. Students learn how to handle various types of incidents, risk assessment methodologies, and various laws and'
  ➜ Skipping stray line: 'policy related to incident handling. This course prepares students for the Certified Incident Handler (EC-Council ECIH) certification exam.'
  ➜ Skipping stray line: 'C843 - Managing Information Security - This course expands on fundamentals of information security by providing an in-depth analysis of the'
  ➜ Skipping stray line: 'relationship between an information security program and broader business goals and objectives. Students develop knowledge and experience in the'
  ➜ Skipping stray line: 'development and management of an information security program essential to ongoing education, career progression, and value delivery to'
  ➜ Skipping stray line: 'enterprises. Students apply best practices to develop an information security governance framework, analyze mitigation in the context of compliance'
  ➜ Skipping stray line: 'requirements, align security programs with security strategies and best practices, and recommend procedures for managing security strategies that'
  ➜ Skipping stray line: 'minimize risk to an organization.'
  ➜ Skipping stray line: 'C844 - Emerging Technologies in Cybersecurity - The continual evolution of technology means that cybersecurity professionals must be able to'
  ➜ Skipping stray line: 'analyze and evaluate new technologies in information security such as wireless, mobile, and internet technologies. Students review the adoption'
  ➜ Skipping stray line: 'process which prepares an organization for the risks and challenges of implementing new technologies. This course focuses on comparison of'
  ➜ Skipping stray line: 'evolving technologies to address the security requirements of an organization. Students learn underlying principles critical to the operation of secure'
  ➜ Skipping stray line: 'networks and adoption of new technologies.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 167'
  ➜ Skipping stray line: 'C845 - Information Systems Security - IT security professionals must be prepared for the operational demands and responsibilities of security'
  ➜ Skipping stray line: 'practitioners, including authentication, security testing, intrusion detection and prevention, incident response and recovery, attacks and'
  ➜ Skipping stray line: 'countermeasures, cryptography, and malicious code countermeasures. This course provides a comprehensive, up-to-date global body of knowledge'
  ➜ Skipping stray line: 'that ensures students have the right information security knowledge and skills to be successful in IT operational roles to mitigate security concerns and'
  ➜ Skipping stray line: 'guard against the impact of malicious activity. Students demonstrate how to manage and restrict access control systems; administer policies,'
  ➜ Skipping stray line: 'procedures, and guidelines that are ethical and compliant with laws and regulations; implement risk management and incident handling processes;'
  ➜ Skipping stray line: 'execute cryptographic systems to protect data; manage network security; and analyze common attack vectors and countermeasures to assure'
  ➜ Skipping stray line: 'information integrity and confidentiality in various systems. This course prepares students for the Systems Security Certified Practitioner (ISC2 SSCP)'
  ➜ Skipping stray line: 'certification exam.'
  ➜ Skipping stray line: 'C846 - Business of IT - Applications - Business of IT – Applications examines Information Technology Infrastructure Library ( ITIL®) terminology,'
  ➜ Skipping stray line: 'structure, policies, and concepts. Focusing on the management of Information Technology (IT) infrastructure, development, and operations, students'
  ➜ Skipping stray line: 'will explore the core principles of ITIL practices for service management to prepare them for careers as IT professionals, business managers, and'
  ➜ Skipping stray line: 'business process owners. This course has no prerequisites.'
  ➜ Skipping stray line: 'C847 - Fundamentals of Diversity, Inclusion, and Exceptional Learners - Students will learn the history of inclusion and develop practical'
  ➜ Skipping stray line: 'strategies for modifying instruction, in accordance with legal expectations, to meet the needs of a diverse population of learners. This population'
  ➜ Skipping stray line: 'includes learners with disabilities, gifted and talented learners, culturally diverse learners, and English language learners.'
  ➜ Skipping stray line: 'C848 - Fundamentals of Diversity, Inclusion, and Exceptional Learners - Students will learn the history of inclusion and develop practical'
  ➜ Skipping stray line: 'strategies for modifying instruction, in accordance with legal expectations, to meet the needs of a diverse population of learners. This population'
  ➜ Skipping stray line: 'includes learners with disabilities, gifted and talented learners, culturally diverse learners, and English language learners.'
  ➜ Skipping stray line: 'C853 - Teacher Performance Assessment in English - The Teacher Performance Assessment serves as the final, culminating project in your'
  ➜ Skipping stray line: 'degree program. It is a formal, scholarly piece of work. You are required to design and develop a two-week-long (minimum), standards-based'
  ➜ Skipping stray line: 'curriculum unit. You will then implement (i.e., teach) the unit in your classroom and gather data as to its effectiveness.'
  ➜ Skipping stray line: 'C860 - Innovation Project - This course explores healthcare innovation by having you compare examples, apply concepts, perform research and'
  ➜ Skipping stray line: 'analysis, and create original work. You will complete and submit an Innovation proposal form describing a new technology to decrease clinic wait'
  ➜ Skipping stray line: 'times.'
  ➜ Skipping stray line: 'C861 - Healthcare Systems Project - You will explore healthcare systems by evaluating the needs of a group medical center to expand care to a'
  ➜ Skipping stray line: 'growing population of underserved and underinsured patients. You will assess the value of affiliation with other providers and potential payers, analyze'
  ➜ Skipping stray line: 'several healthcare organizations as potential partners for affiliation, and determine what type of affiliation structure will best meet the needs of the'
  ➜ Skipping stray line: 'medical center. This project culminates in the creation of a proposed “affiliation recommendation” that summarizes the assessment of three candidate'
  ➜ Skipping stray line: 'organizations.'
  ➜ Skipping stray line: 'C862 - Healthcare Quality Project - You will use Six Sigma principles and strategies, as well as other quality concepts (DMAIC), to address problems'
  ➜ Skipping stray line: 'of high patient wait times and poor physician communication at a highly functioning level 1 trauma center. You will develop a healthcare quality'
  ➜ Skipping stray line: 'improvement process that implements the five phases of a Six Sigma approach. You will also analyze challenges executives face in identifying,'
  ➜ Skipping stray line: 'synthesizing, and acting upon healthcare data to improve operations and patient-centered care.'
  ➜ Skipping stray line: 'C863 - Healthcare Financial Management Project - You will develop a value-based payment model and strategic implementation plan to provide'
  ➜ Skipping stray line: 'high-quality, most cost-effective care to a high-risk patient population. The organization is currently not equipped to take on the risks inherent in the'
  ➜ Skipping stray line: 'population of Southern Florida. To create a successful plan, you will analyze and interpret data to determine the population's need and justify that their'
  ➜ Skipping stray line: 'organization can financially support and sustain the new system.'
  ➜ Skipping stray line: 'C864 - Enterprise Risk Management Project - You will take on the role of a consulting risk manager for the Phoenix VA Health Care System'
  ➜ Skipping stray line: '(PVAHCS) to address the Office of Inspector General’s report. You begin by identifying and analyzing risk issues embedded within a real-world'
  ➜ Skipping stray line: 'scenario. You will use enterprise risk management (ERM) concepts to create and define implementation strategies for an ERM plan to mitigate and'
  ➜ Skipping stray line: 'manage the risks identified. Finally, you will recommend a new system model.'
  ➜ Skipping stray line: 'C865 - Population Health and Care Coordination Project - You will design a chronic care population management plan and change a health'
  ➜ Skipping stray line: 'system's model to one that focuses on patient and family. You will review a model from Mississippi that has expanded Medicaid where the'
  ➜ Skipping stray line: 'opportunities to develop partnerships are ideal. To help control costs, you will develop a wellness and prevention program alongside the disease'
  ➜ Skipping stray line: 'management model already being used in a system of their choice.'
  ➜ Skipping stray line: 'C870 - Human Anatomy and Physiology - This course examines the structures and functions of the human body and covers anatomical'
  ➜ Skipping stray line: 'terminology, cells and tissues, and organ systems. Students will use a dissection lab to study the healthy state of the organ systems of the human'
  ➜ Skipping stray line: 'body, including the digestive, skeletal, sensory, respiratory, reproductive, nervous, muscular, cardiovascular, lymphatic, integumentary, endocrine, and'
  ➜ Skipping stray line: 'renal systems. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C871 - MA, Science Education Teacher Performance Assessment - MA, Science Education (5-12 Geo) Teacher Performance Assessment'
  ➜ Skipping stray line: 'contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct evidence of the'
  ➜ Skipping stray line: 'candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect on the learning'
  ➜ Skipping stray line: 'process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional unit consisting'
  ➜ Skipping stray line: 'of seven components: 1) Contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision making, 6) analysis of'
  ➜ Skipping stray line: 'student learning, and 7) self-evaluation and reflection.'
  ➜ Skipping stray line: 'C873 - Teacher Performance Assessment in Elementary Education - The Teacher Performance Assessment is a culmination of the wide variety'
  ➜ Skipping stray line: 'of skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase'
  ➜ Skipping stray line: 'a collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C874 - MA, Mathematics Education (5-12) Teacher Performance Assessment - MA, Mathematics Education (5-12) Teacher Performance'
  ➜ Skipping stray line: 'Assessment contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct'
  ➜ Skipping stray line: 'evidence of the candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect'
  ➜ Skipping stray line: 'on the learning process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional'
  ➜ Skipping stray line: 'unit consisting of seven components: 1) Contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision'
  ➜ Skipping stray line: 'making, 6) analysis of student learning, and 7) self-evaluation and reflection.'
  ➜ Skipping stray line: 'C875 - Human Anatomy and Physiology - This course examines the structures and functions of the human body and covers anatomical'
  ➜ Skipping stray line: 'terminology, cells and tissues, and organ systems. Students will use a dissection lab to study the healthy state of the organ systems of the human'
  ➜ Skipping stray line: 'body, including the digestive, skeletal, sensory, respiratory, reproductive, nervous, muscular, cardiovascular, lymphatic, integumentary, endocrine, and'
  ➜ Skipping stray line: 'renal systems. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C876 - Conceptual Physics - Conceptual Physics provides a broad, conceptual overview of the main principles of physics, including mechanics,'
  ➜ Skipping stray line: 'thermodynamics, wave motion, modern physics, and electricity and magnetism. Problem-solving activities and laboratory experiments provide'
  ➜ Skipping stray line: 'students with opportunities to apply these main principles, creating a strong foundation for future studies in physics. There are no prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 168'
  ➜ Skipping stray line: 'C877 - Mathematical Modeling and Applications - Mathematical Modeling and Applications applies mathematics, such as differential equations,'
  ➜ Skipping stray line: 'discrete structures, and statistics to formulate models and solve real-world problems. This course emphasizes improving students’ critical thinking to'
  ➜ Skipping stray line: 'help them understand the process and application of mathematical modeling. Probability and Statistics II and Calculus II are prerequisites.'
  ➜ Skipping stray line: 'C878 - Mathematical Modeling and Applications - Mathematical Modeling and Applications applies mathematics, such as differential equations,'
  ➜ Skipping stray line: 'discrete structures, and statistics to formulate models and solve real-world problems. This course emphasizes improving students’ critical thinking to'
  ➜ Skipping stray line: 'help them understand the process and application of mathematical modeling. Probability and Statistics II and Calculus II are prerequisites.'
  ➜ Skipping stray line: 'C879 - Algebra for Secondary Mathematics Teaching - Algebra for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of algebra. Secondary teachers should have an understanding of the following: algebra as an extension of number, operation, and'
  ➜ Skipping stray line: 'quantity; various ideas of equivalence as it pertains to algebraic structures; patterns of change as covariation between quantities; connections'
  ➜ Skipping stray line: 'between representations (tables, graphs, equations, geometric models, context); and the historical development of content and perspectives from'
  ➜ Skipping stray line: 'diverse cultures. In particular, the focus should be on deeper understanding of rational numbers, ratios and proportions, meaning and use of variables,'
  ➜ Skipping stray line: 'functions (e.g., exponential, logarithmic, polynomials, rational, quadratic), and inverses. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C880 - Algebra for Secondary Mathematics Teaching - Algebra for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of algebra. Secondary teachers should have an understanding of the following: algebra as an extension of number, operation, and'
  ➜ Skipping stray line: 'quantity; various ideas of equivalence as it pertains to algebraic structures; patterns of change as covariation between quantities; connections'
  ➜ Skipping stray line: 'between representations (tables, graphs, equations, geometric models, context); and the historical development of content and perspectives from'
  ➜ Skipping stray line: 'diverse cultures. In particular, the focus should be on deeper understanding of rational numbers, ratios and proportions, meaning and use of variables,'
  ➜ Skipping stray line: 'functions (e.g., exponential, logarithmic, polynomials, rational, quadratic), and inverses. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C881 - Geometry for Secondary Mathematics Teaching - Geometry for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of geometry. Secondary teachers in this course will develop a deep understanding of constructions and transformations,'
  ➜ Skipping stray line: 'congruence and similarity, analytic geometry, solid geometry, conics, trigonometry, and the historical development of content. Calculus I is a'
  ➜ Skipping stray line: 'prerequisite for this course.'
  ➜ Skipping stray line: 'C882 - Geometry for Secondary Mathematics Teaching - Geometry for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of geometry. Secondary teachers in this course will develop a deep understanding of constructions and transformations,'
  ➜ Skipping stray line: 'congruence and similarity, analytic geometry, solid geometry, conics, trigonometry, and the historical development of content. Calculus I is a'
  ➜ Skipping stray line: 'prerequisite for this course.'
  ➜ Skipping stray line: 'C883 - Statistics and Probability for Secondary Mathematics Teaching - Statistics and Probability for Secondary Mathematics Teaching explores'
  ➜ Skipping stray line: 'important conceptual underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional'
  ➜ Skipping stray line: 'practices to support and assess the learning of statistics and probability. Secondary teachers should have a deep understanding of summarizing and'
  ➜ Skipping stray line: 'representing data, study design and sampling, probability, testing claims and drawing conclusions, and the historical development of content and'
  ➜ Skipping stray line: 'perspectives from diverse cultures. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C884 - Statistics and Probability for Secondary Mathematics Teaching - Statistics and Probability for Secondary Mathematics Teaching explores'
  ➜ Skipping stray line: 'important conceptual underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional'
  ➜ Skipping stray line: 'practices to support and assess the learning of statistics and probability. Secondary teachers should have a deep understanding of summarizing and'
  ➜ Skipping stray line: 'representing data, study design and sampling, probability, testing claims and drawing conclusions, and the historical development of content and'
  ➜ Skipping stray line: 'perspectives from diverse cultures. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C885 - Advanced Calculus - Advanced Calculus examines rigorous reconsideration and proofs involving calculus. Topics include real-number'
  ➜ Skipping stray line: 'systems, sequences, limits, continuity, differentiation, and integration. This course emphasizes students’ ability to apply critical thinking to concepts to'
  ➜ Skipping stray line: 'analyze the connections between definitions and properties. Calculus III and Linear Algebra are prerequisites.'
  ➜ Skipping stray line: 'C886 - Advanced Calculus - Advanced Calculus examines rigorous reconsideration and proofs involving calculus. Topics include real-number'
  ➜ Skipping stray line: 'systems, sequences, limits, continuity, differentiation, and integration. This course emphasizes students’ ability to apply critical thinking to concepts to'
  ➜ Skipping stray line: 'analyze the connections between definitions and properties. Calculus III and Linear Algebra are prerequisites.'
  ➜ Skipping stray line: 'C887 - MA, Mathematics Education (5-9) Teacher Performance Assessment - MA, Mathematics Education (5-9) Teacher Performance'
  ➜ Skipping stray line: 'Assessment contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct'
  ➜ Skipping stray line: 'evidence of the candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect'
  ➜ Skipping stray line: 'on the learning process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional'
  ➜ Skipping stray line: 'unit consisting of seven components: 1) contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision making,'
  ➜ Skipping stray line: '6) analysis of student learning, and 7) self-evaluation and reflection.'
  ➜ Skipping stray line: 'C888 - Molecular and Cellular Biology - Molecular and Cellular Biology provides students seeking licensure or endorsement in biology, grades 5-12,'
  ➜ Skipping stray line: 'with an introduction to the area of molecular and cellular biology. Molecular and Cellular Biology examines the cell as an organism emphasizing'
  ➜ Skipping stray line: 'molecular basis of cell structure and functions of biological macromolecules, subcellular organelles, intracellular transport, cell division, and biological'
  ➜ Skipping stray line: 'reactions. Prerequisite: Introduction to Biology.'
  ➜ Skipping stray line: 'C889 - Molecular and Cellular Biology - Molecular and Cellular Biology provides students seeking licensure or endorsement in biology, grades 5-12,'
  ➜ Skipping stray line: 'with an introduction to the area of molecular and cellular biology. Molecular and Cellular Biology examines the cell as an organism emphasizing'
  ➜ Skipping stray line: 'molecular basis of cell structure and functions of biological macromolecules, subcellular organelles, intracellular transport, cell division, and biological'
  ➜ Skipping stray line: 'reactions. Prerequisite: Introduction to Biology.'
  ➜ Skipping stray line: 'C890 - Ecology and Environmental Science - Ecology and Environmental Science is an introductory course for undergraduate students seeking'
  ➜ Skipping stray line: 'initial licensure or endorsement in science education for grades 5–12. The course explores the relationships between organisms and their'
  ➜ Skipping stray line: 'environment, including population ecology, communities, adaptations, distributions, interactions, and the environmental factors controlling these'
  ➜ Skipping stray line: 'relationships. This course has no prerequisites.'
  ➜ Skipping stray line: 'C891 - Ecology and Environmental Science - Ecology and Environmental Science is an introductory course for graduate students seeking initial'
  ➜ Skipping stray line: 'licensure or endorsement in science education for grades 5–12. The course introduction to ecology and environmental science and explores the'
  ➜ Skipping stray line: 'relationships between organisms and their environment, including population ecology, communities, adaptations, distributions, interactions, and the'
  ➜ Skipping stray line: 'environmental factors controlling these relationships. This course has no prerequisites.'
  ➜ Skipping stray line: 'C892 - Geology II: Earth Systems - Geology II: Earth Systems provides undergraduate students seeking licensure or endorsement in science'
  ➜ Skipping stray line: 'education for grades 5-12 with an examination of the geosphere, atmosphere, hydrosphere, and biosphere, and the dynamic equilibrium of these'
  ➜ Skipping stray line: 'systems over geologic time. This course also examines the history of Earth and its life-forms, with an emphasis in meteorology. A prerequisite for this'
  ➜ Skipping stray line: 'course is Geology I: Physical.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 169'
  ➜ Skipping stray line: 'C893 - Geology II: Earth Systems - Geology II: Earth Systems provides graduate students seeking licensure or endorsement in science education'
  ➜ Skipping stray line: 'for grades 5-12 with an examination of the geosphere, atmosphere, hydrosphere, and biosphere, and the dynamic equilibrium of these systems over'
  ➜ Skipping stray line: 'geologic time. This course also examines the history of Earth and its life-forms, with an emphasis in meteorology. A prerequisite for this course is'
  ➜ Skipping stray line: 'Geology I: Physical.'
  ➜ Skipping stray line: 'C894 - Astronomy - This course provides undergraduate students seeking initial licensure or endorsement in geosciences for grades 5−12 with'
  ➜ Skipping stray line: 'essential knowledge of astronomy and explores Western history and basic physics of astronomy; phases of the moon and seasons; composition and'
  ➜ Skipping stray line: 'properties of solar system bodies; stellar evolution and remnants; properties and scale of objects and distances within the universe; and introductory'
  ➜ Skipping stray line: 'cosmology. A prerequisite for this course is General Physics.'
  ➜ Skipping stray line: 'C895 - Astronomy - This course provides graduate students seeking initial licensure or endorsement in geosciences for grades 5−12 with essential'
  ➜ Skipping stray line: 'knowledge of astronomy and explores Western history and basic physics of astronomy; phases of the moon and seasons; composition and properties'
  ➜ Skipping stray line: 'of solar system bodies; stellar evolution and remnants; properties and scale of objects and distances within the universe; and introductory cosmology.'
  ➜ Skipping stray line: 'A prerequisite for this course is General Physics.'
  ➜ Skipping stray line: 'C896 - Science Methods - Science Methods provides undergraduate students seeking initial licensure or endorsement in the sciences for grades'
  ➜ Skipping stray line: '5-12 with an introduction to science teaching methods and laboratory safety training. Course content focuses on designing and teaching with the three'
  ➜ Skipping stray line: 'dimensions of science: disciplinary core ideas, crosscutting concepts, and science and engineering practices. Laboratory safety training and'
  ➜ Skipping stray line: 'certification will include the proper use of personal protective equipment and safe laboratory practices and procedures in science classrooms. This'
  ➜ Skipping stray line: 'course has no prerequisites.'
  ➜ Skipping stray line: 'C897 - Mathematics: Content Knowledge - Mathematics: Content Knowledge is designed to help candidates refine and integrate the mathematics'
  ➜ Skipping stray line: 'content knowledge and skills necessary to become successful secondary mathematics teachers. A high level of mathematical reasoning skills and the'
  ➜ Skipping stray line: 'ability to solve problems are necessary to complete this course. Prerequisites for this course are College Geometry, Probability and Statistics I, and'
  ➜ Skipping stray line: 'Pre-Calculus.'
  ➜ Skipping stray line: 'C898 - Earth Science: Content Knowledge - This course covers the advanced content knowledge that a secondary Earth Science teachers is'
  ➜ Skipping stray line: 'expected to know and understand. Topics include basic scientific principles of Earth and Space Sciences, tectonics and internal Earth processes,'
  ➜ Skipping stray line: 'Earth materials and surface processes, history of the Earth and its Life-Forms, Earth's atmosphere and hydrosphhere, and astronomy.'
  ➜ Skipping stray line: 'C900 - Biology: Content Knowledge - This comprehensive course examines a student’s conceptual understanding of a broad range of biology'
  ➜ Skipping stray line: 'topics. High school biology teachers must help students make connections between isolated topics. For example, when studying hormones created by'
  ➜ Skipping stray line: 'endocrine glands traveling through the circulatory system to maintain homeostasis, a student is connecting many biology topics. This course starts'
  ➜ Skipping stray line: 'with macromolecules that make up cellular components and continues with understanding the many cellular processes that allow life to exist.'
  ➜ Skipping stray line: 'Connections are then made between genetics and evolution. Classification of organisms leads into plant and animal development that study the organ'
  ➜ Skipping stray line: 'systems and their role in maintaining homeostasis. The course finishes by studying ecology and how humans affect the environment.'
  ➜ Skipping stray line: 'C901 - Physics: Content Knowledge - Physics: Content Knowledge covers the advanced content knowledge that a secondary physics teacher is'
  ➜ Skipping stray line: 'expected to know and understand. Topics include mechanics, electricity and magnetism, optics and waves, heat and thermodynamics, modern'
  ➜ Skipping stray line: 'physics, atomic and nuclear structure, the history and nature of science, science technology, and social perspectives.'
  ➜ Skipping stray line: 'C902 - Middle School Science: Content Knowledge - This course covers the content knowledge that a middle-level science teacher is expected to'
  ➜ Skipping stray line: 'know and understand. Topics include scientific methodologies, history of science, basic science principles, physical sciences, life sciences, Earth and'
  ➜ Skipping stray line: 'space sciences, and the role of science and technology and their impact on society.'
  ➜ Skipping stray line: 'C903 - Middle School Mathematics: Content Knowledge - Mathematics: Middle School Content Knowledge is designed to help candidates refine'
  ➜ Skipping stray line: 'and integrate the mathematics content knowledge and skills necessary to become successful middle school mathematics teachers. A high level of'
  ➜ Skipping stray line: 'mathematical reasoning skills and the ability to solve problems are necessary to complete this course. Prerequisites for this course are College'
  ➜ Skipping stray line: 'Geometry, Probability and Statistics I, and Pre-Calculus.'
  ➜ Skipping stray line: 'C904 - Teacher Performance Assessment in Science - The Teacher Performance Assessment in Science is a culmination of the wide variety of'
  ➜ Skipping stray line: 'skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a'
  ➜ Skipping stray line: 'collection of your content, planning, instructional, and'
  ➜ Skipping stray line: 'reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C907 - Introduction to Biology - This course is a foundational introduction to the biological sciences. The overarching theories of life from biological'
  ➜ Skipping stray line: 'research are explored as well as the fundamental concepts and principles of the study of living organisms and their interaction with the environment.'
  ➜ Skipping stray line: 'Key concepts include how living organisms use and produce energy; how life grows, develops, and reproduces; how life responds to the environment'
  ➜ Skipping stray line: 'to maintain internal stability; and how life evolves and adapts to the environment.'
  ➜ Skipping stray line: 'C908 - Integrated Physical Sciences - This course provides students with an overview of the basic principles and unifying ideas of the physical'
  ➜ Skipping stray line: 'sciences: physics, chemistry, and Earth sciences. Course materials focus on scientific reasoning and practical and everyday applications of physical'
  ➜ Skipping stray line: 'science concepts to help students integrate conceptual knowledge with practical skills.'
  ➜ Skipping stray line: 'C909 - Elementary Reading Methods and Interventions - Elementary Reading Methods and Interventions provides students seeking initial teacher'
  ➜ Skipping stray line: 'licensure in elementary education with an in-depth look at best practices for developing the reading and writing skills of all students. Course content'
  ➜ Skipping stray line: 'examines the stages of literacy development, the balanced literacy approach, differentiation, technology integration, literacy-assessment, and the'
  ➜ Skipping stray line: 'comprehensive Response to Intervention (RTI) model used to identify and address the needs of learners who struggle with reading comprehension.'
  ➜ Skipping stray line: 'This course has no prerequisites.'
  ➜ Skipping stray line: 'C910 - Elementary Reading Methods and Interventions - Elementary Reading Methods and Interventions provides students seeking initial teacher'
  ➜ Skipping stray line: 'licensure in elementary education with an in-depth look at best practices for developing the reading and writing skills of all students. Course content'
  ➜ Skipping stray line: 'examines the stages of literacy development, the balanced literacy approach, differentiation, technology integration, literacy-assessment, and the'
  ➜ Skipping stray line: 'comprehensive Response to Intervention (RTI) model used to identify and address the needs of learners who struggle with reading comprehension.'
  ➜ Skipping stray line: 'This course has no prerequisites.'
  ➜ Skipping stray line: 'C912 - College Algebra - This course provides further application and analysis of algebraic concepts and functions through mathematical modeling of'
  ➜ Skipping stray line: 'real-world situations. Topics include: real numbers, algebraic expressions, equations and inequalities, graphs and functions, polynomial and rational'
  ➜ Skipping stray line: 'functions, exponential and logarithmic functions, and systems of linear equations.'
  ➜ Skipping stray line: 'C913 - Psychology for Educators - This course prepares candidates to meet the expectations of society and prepares future educators to support'
  ➜ Skipping stray line: 'classroom practice with research-validated concepts. The course helps future educators to create a framework for refining teaching skills that are'
  ➜ Skipping stray line: 'focused on the learner, through engaged inquiry of integrating theory, critical issues in psychology, classroom applications with diverse populations,'
  ➜ Skipping stray line: 'assessment, educational technology, and reflective teaching.'
  ➜ Skipping stray line: 'C914 - Teacher Performance Assessment in Mathematics Education - The Teacher Performance Assessment is a culmination of the wide variety'
  ➜ Skipping stray line: 'of skills learned during your time'
  ➜ Skipping stray line: 'in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of your content,'
  ➜ Skipping stray line: 'planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 170'
  ➜ Skipping stray line: 'C915 - Chemistry: Content Knowledge - Chemistry: Content Knowledge provides advanced instruction in the main areas of chemistry for which'
  ➜ Skipping stray line: 'secondary chemistry teachers are expected to demonstrate competency. Topics include matter and energy, thermochemistry, structure, bonding,'
  ➜ Skipping stray line: 'reactivity, biochemistry and organic chemistry, solutions, nature of science, technology and social perspectives, mathematics, and laboratory'
  ➜ Skipping stray line: 'procedures.'
  ➜ Skipping stray line: 'C925 - Earth: Inside and Out - Earth: Inside and Out explores the ways in which our dynamic planet evolved, and the processes and systems that'
  ➜ Skipping stray line: 'continue to shape it. Though the geologic record is incredibly ancient, it has only been studied intensely since the end of the nineteenth century. Since'
  ➜ Skipping stray line: 'then, research in fields such as geologic time, plate tectonics, climate change, exploration of the deep sea floor, and the inner earth have vastly'
  ➜ Skipping stray line: 'increased our understanding of geological processes. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C926 - Earth: Inside and Out - Earth: Inside and Out explores the ways in which our dynamic planet evolved, and the processes and systems that'
  ➜ Skipping stray line: 'continue to shape it. Though the geologic record is incredibly ancient, it has only been studied intensely since the end of the nineteenth century. Since'
  ➜ Skipping stray line: 'then, research in fields such as geologic time, plate tectonics, climate change, exploration of the deep sea floor, and the inner earth have vastly'
  ➜ Skipping stray line: 'increased our understanding of geological processes. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C930 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C931 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C932 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C933 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C934 - Preclinical Experiences in Elementary and Special Education - Preclinical Experiences in Elementary and Special Education provides'
  ➜ Skipping stray line: 'students the opportunity to observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence'
  ➜ Skipping stray line: 'necessary to be an effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the'
  ➜ Skipping stray line: 'classroom for the observations, students will be required to meet several requirements including a cleared background check, passing scores on the'
  ➜ Skipping stray line: 'state or WGU required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C935 - Preclinical Experiences in Elementary Education - Preclinical Experiences in Elementary Education provides students the opportunity to'
  ➜ Skipping stray line: 'observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an'
  ➜ Skipping stray line: 'effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the'
  ➜ Skipping stray line: 'observations, students will be required to meet several requirements including a cleared background check, passing scores on the state or WGU'
  ➜ Skipping stray line: 'required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C936 - Preclinical Experiences in Elementary Education - Preclinical Experiences in Elementary Education provides students the opportunity to'
  ➜ Skipping stray line: 'observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an'
  ➜ Skipping stray line: 'effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the'
  ➜ Skipping stray line: 'observations, students will be required to meet several requirements including a cleared background check, passing scores on the state or WGU'
  ➜ Skipping stray line: 'required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C937 - Preclinical Experiences in Science - Preclinical Experiences in Science provides students the opportunity to observe and participate in a'
  ➜ Skipping stray line: 'wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will'
  ➜ Skipping stray line: 'reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required'
  ➜ Skipping stray line: 'to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed'
  ➜ Skipping stray line: 'resume.'
  ➜ Skipping stray line: 'C938 - Preclinical Experiences in Science - Preclinical Experiences in Science provides students the opportunity to observe and participate in a'
  ➜ Skipping stray line: 'wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will'
  ➜ Skipping stray line: 'reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required'
  ➜ Skipping stray line: 'to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed'
  ➜ Skipping stray line: 'resume.'
  ➜ Skipping stray line: 'CQC2 - Calculus II - Calculus II is the study of the accumulation of change in relation to the area under a curve. It covers the knowledge and skills'
  ➜ Skipping stray line: 'necessary to apply integral calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include'
  ➜ Skipping stray line: 'antiderivatives; indefinite integrals; the substitution rule; Riemann sums; the Fundamental Theorem of Calculus; definite integrals; acceleration,'
  ➜ Skipping stray line: 'velocity, position, and initial values; integration by parts; integration by trigonometric substitution; integration by partial fractions; numerical integration;'
  ➜ Skipping stray line: 'improper integration; area between curves; volumes and surface areas of revolution; arc length; work; center of mass; separable differential equations;'
  ➜ Skipping stray line: 'direction fields; growth and decay problems; and sequences. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'CUA1 - Culture - Focuses on the nature and role of culture and the importance of cultural groups and cultural identity.'
  ➜ Skipping stray line: 'CWEL - Capstone Written Project in Educational Leadership - The capstone project will consist of the design and implementation of a short-term'
  ➜ Skipping stray line: 'datadriven school improvement initiative. Through the case study approach and during the capstone experience, you will identify one or more'
  ➜ Skipping stray line: 'measurable outcome improvement areas in your case study / practicum site. You will propose and develop short-term school improvement initiatives'
  ➜ Skipping stray line: 'and will then measure the outcomes and results of your implemented improvement initiatives.'
  ➜ Skipping stray line: 'CZC1 - Accounting II - Accounting II is a continuation of the topics that were addressed in Accounting I. Accounting II focuses on ways in which'
  ➜ Skipping stray line: 'accounting principles are used in business operations, deepening the student's understanding of Generally Accepted Accounting Principles (GAAP),'
  ➜ Skipping stray line: 'inventory, liabilities, and budgets. This course also introduces topics that are important for corporate accounting and financial analysis.'
  ➜ Skipping stray line: 'DPT1 - Physics: Electricity and Magnetism - Physics: Electricity and Magnetism addresses principles related to the physics of electricity and'
  ➜ Skipping stray line: 'magnetism. Students will study electric and magnetic forces and then apply that knowledge to the study of circuits with resistors and electromagnetic'
  ➜ Skipping stray line: 'induction and waves, focusing on such topics as: Electric charge and electric field, electric currents and resistance, magnetism, electromagnetic'
  ➜ Skipping stray line: 'induction and Faraday's law, and Maxwell's equation and electromagnetic waves.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 171'
  ➜ Skipping stray line: 'DPT2 - Physics: Electricity and Magnetism - Physics: Electricity and Magnetism addresses principles related to the physics of electricity and'
  ➜ Skipping stray line: 'magnetism. Students will study electric and magnetic forces and then apply that knowledge to the study of circuits with resistors and electromagnetic'
  ➜ Skipping stray line: 'induction and waves, focusing on such topics as: Electric charge and electric field, electric currents and resistance, magnetism, electromagnetic'
  ➜ Skipping stray line: 'induction and Faraday's law, and Maxwell's equation and electromagnetic waves.'
  ➜ Skipping stray line: 'DRC1 - Educational Assessment - Educational Assessment assists students in making appropriate data-driven instructional decisions by exploring'
  ➜ Skipping stray line: 'key concepts relevant to the administration, scoring, and interpretation of classroom assessments. Topics include ethical assessment practices,'
  ➜ Skipping stray line: 'designing assessments, aligning assessments, and utilizing technology for assessment.'
  ➜ Skipping stray line: 'DWP2 - Application of Elementary Social Studies Methods - Application of Elementary Social Studies Methods helps students learn how to'
  ➜ Skipping stray line: 'implement effective social studies instruction in the elementary classroom. Topics include social studies themes, promoting cultural diversity,'
  ➜ Skipping stray line: 'integrated social studies across the curriculum, social studies learning environments, assessing social studies understanding, differentiated instruction'
  ➜ Skipping stray line: 'for social studies, technology for social studies instruction, and standards-based social studies instruction. This course helps students to apply,'
  ➜ Skipping stray line: 'analyze, and reflect on effective elementary social studies instruction.'
  ➜ Skipping stray line: 'DZP2 - Application of Elementary Visual and Performing Arts Methods - Application of Elementary Visual and Performing Arts Methods helps'
  ➜ Skipping stray line: 'students learn how to implement effective visual and performing arts instruction in the elementary classroom. Topics include integrating arts across the'
  ➜ Skipping stray line: 'curriculum, music education, visual arts, dance and movement, dramatic arts, differentiated instruction for visual and performing arts, and promoting'
  ➜ Skipping stray line: 'cultural diversity through visual and performing arts instruction. This course helps students to apply, analyze, and reflect on effective elementary visual'
  ➜ Skipping stray line: 'and performing arts instruction.'
  ➜ Skipping stray line: 'EBP2 - Application of Elementary Physical Education and Health Methods - Applications of Elementary Physical Education and Health Methods'
  ➜ Skipping stray line: 'helps students learn how to implement effective physical and health education instruction in the elementary classroom. Topics include healthy'
  ➜ Skipping stray line: 'lifestyles, student safety, student nutrition, physical education, differentiated instruction for physical and health education, physical education across'
  ➜ Skipping stray line: 'the curriculum, and public policy in health and physical education. This course helps students to apply, analyze, and reflect on effective elementary'
  ➜ Skipping stray line: 'visual and performing arts instruction.'
  ➜ Skipping stray line: 'EFP1 - Cultural Studies and Diversity - Cultural Studies and Diversity focuses on the development of cultural awareness. Students will analyze the'
  ➜ Skipping stray line: 'role of culture in today’s world, develop culturally-responsive practices, and understand the barriers to and the benefits of diversity.'
  ➜ Skipping stray line: 'EFV1 - Behavioral Management and Intervention - Behavioral Management and Intervention explores the challenges of working with students with'
  ➜ Skipping stray line: 'emotional and behavioral disabilities and helps students learn about theories, interventions, practices, and assessments that can influence these'
  ➜ Skipping stray line: 'children's opportunities for success. It further helps students better be able to make decisions about how to strategize behavior'
  ➜ Skipping stray line: 'adjustments for individual students.'
  ➜ Skipping stray line: 'EFV2 - Behavioral Management and Intervention - Behavioral Management and Intervention explores the challenges of working with students with'
  ➜ Skipping stray line: 'emotional and behavioral disabilities and helps students learn about theories, interventions, practices, and assessments that can influence these'
  ➜ Skipping stray line: 'children's opportunities for success. It further helps students better be able to make decisions about how to strategize behavior adjustments for'
  ➜ Skipping stray line: 'individual students.'
  ➜ Skipping stray line: 'ELO1 - Subject Specific Pedagogy: ELL - Subject Specific Pedagogy: ELL integrates aspects of pedagogy, assessment, and professionalism in'
  ➜ Skipping stray line: 'English Language Learning (ELL). A student develops and assesses aspects of language curriculum development including second language'
  ➜ Skipping stray line: 'instruction, methods of second language assessment, and legal policy issues.'
  ➜ Skipping stray line: 'EST1 - Ethical Situations in Business - Ethical Situations in Business explores various scenarios in business and helps students learn to develop'
  ➜ Skipping stray line: 'ethical and socially responsible courses of action. Students will also learn to develop an appropriate and comprehensive ethics program for a business'
  ➜ Skipping stray line: 'venture.'
  ➜ Skipping stray line: 'EXP2 - College Geometry - College Geometry covers the knowledge and skills necessary to apply geometry to model and solve real-life problems, to'
  ➜ Skipping stray line: 'do formal axiomatic proofs in geometry, and to use dynamic technology to explore geometry. Topics include axiomatic systems and analytic proof;'
  ➜ Skipping stray line: 'non-Euclidean geometries; construction, analytic, and synthetic methods for investigating and proving properties and relationships of two- and three-'
  ➜ Skipping stray line: 'dimensional objects; geometric transformations, tessellations, and using inductive reasoning; concrete models; and dynamic technology to conduct'
  ➜ Skipping stray line: 'geometric investigations. College Algebra and Pre-Calculus are prerequisites for this course.'
  ➜ Skipping stray line: 'FCC1 - Introduction to Special Education, Law and Legal Issues - Introduction to Special Education, Law and Legal Issues introduces the history'
  ➜ Skipping stray line: 'and nature of special education and how it relates to general education, as well as specific legal acts and concepts governing it. Topics include history'
  ➜ Skipping stray line: 'of special education, the Individuals with Disabilities Education Act, the No Child Left Behind Act, FAPE (free, appropriate public education), and least'
  ➜ Skipping stray line: 'restrictive environments.'
  ➜ Skipping stray line: 'FCC2 - Introduction to Special Education, Law and Legal Issues, Policies and Procedures - Introduction to Special Education, Law and Legal'
  ➜ Skipping stray line: 'Issues, Policies and Procedures introduces the history and nature of special education and how it relates to general education, as well as specific'
  ➜ Skipping stray line: 'legal acts and concepts governing it. Topics include history of special education, the Individuals with Disabilities Education Act, the No Child Left'
  ➜ Skipping stray line: 'Behind Act, FAPE (free, appropriate public education), and least restrictive environments.'
  ➜ Skipping stray line: 'FEA1 - Field Experience for ELL - Field Experience for ELL is the field experience component of the English Language Learning program. In this'
  ➜ Skipping stray line: 'experience, students are required to complete a minimum of 15 hours of observations at both elementary and secondary levels. Additionally, a'
  ➜ Skipping stray line: 'supervised teaching experience that is face-to-face with English language learners according to the minimum time requirements of your state is'
  ➜ Skipping stray line: 'required. The purpose of this course is to assess the ability of the student including their engagement in field experience activities, ability to reflect on'
  ➜ Skipping stray line: 'and then plan standards-based instruction in ELL, and their ability to locate and effectively use resources for teaching ELL to meet the needs of their'
  ➜ Skipping stray line: 'individual students.'
  ➜ Skipping stray line: 'FJC1 - Psychoeducational Assessment Practices and IEP Development/Implementation - Psychoeducational Assessment Practices and IEP'
  ➜ Skipping stray line: 'Development/Implementation prepares students to apply knowledge the IEP as they work with students who have mild to moderate disabilities in a'
  ➜ Skipping stray line: 'wide variety of possible situations, all with an emphasis on cross-categorical inclusion. It helps students gain fluency in their understanding of the 13'
  ➜ Skipping stray line: 'disability categories, assessment, curriculum, and instruction.'
  ➜ Skipping stray line: 'FJC2 - Psychoeducational Assessment Practices and IEP Development/Implementation - Psychoeducational Assessment Practices and IEP'
  ➜ Skipping stray line: 'Development/Implementation prepares students to apply knowledge the IEP as they work with students who have mild to moderate disabilities in a'
  ➜ Skipping stray line: 'wide variety of possible situations, all with an emphasis on cross-categorical inclusion. It helps students gain fluency in their understanding of the 13'
  ➜ Skipping stray line: 'disability categories, assessment, curriculum, and instruction.'
  ➜ Skipping stray line: 'FLC1 - Instructional Models and Design, Supervision and Culturally Response Teaching - Instructional Models and Design, Supervision and'
  ➜ Skipping stray line: 'Culturally Response Teaching helps students understand the role of special education in the development of instruction, why this field exists separate'
  ➜ Skipping stray line: 'from and in conjunction with general education, where it is going, and how they can help coordinate inclusion for students. Students will gain expertise'
  ➜ Skipping stray line: 'in developing instructional, curricular, and environmental interventions based on assessment data and student need.'
  ➜ Skipping stray line: 'FLC2 - Instructional Models and Design, Supervision and Culturally Responsive Teaching - Instructional Models and Design, Supervision and'
  ➜ Skipping stray line: 'Culturally Responsive Teaching helps students understand the role of special education in the development of instruction, why this field exists'
  ➜ Skipping stray line: 'separate from and in conjunction with general education, where it is going, and how they can help coordinate inclusion for students. Students will gain'
  ➜ Skipping stray line: 'expertise in developing instructional, curricular, and environmental interventions based on assessment data and student need.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 172'
  ➜ Skipping stray line: 'FVC1 - Global Business - This course provides an introduction to global business. The advantages of global production and the benefits of trade are'
  ➜ Skipping stray line: 'critical aspects of global business. Many factors influence global business, such as transparency, geography, corruption, intellectual property'
  ➜ Skipping stray line: 'protections, outsourcing and off-shoring, operation management, and generally accepted accounting principles.'
  ➜ Skipping stray line: 'FXT2 - Disaster Recovery Planning, Prevention and Response - This course prepares students to plan and execute industry best practices related'
  ➜ Skipping stray line: 'to conducting organization-wide information assurance initiatives and to preparing an organization for implementing a comprehensive Information'
  ➜ Skipping stray line: 'Assurance Management program.'
  ➜ Skipping stray line: 'HMP1 - Cases in Advanced Human Resource Management - During Cases in Advanced Human Resource Management students apply their'
  ➜ Skipping stray line: 'knowledge of human resource management by completing a case study. Students will apply critical human resource strategies in the areas of'
  ➜ Skipping stray line: 'legal/regulatory compliance, recruitment and selection of personnel, performance and feedback mechanisms, and financial and benefits'
  ➜ Skipping stray line: 'compensation.'
  ➜ Skipping stray line: 'IDC1 - Foundations of Instructional Design - Foundations of Instructional Design provides an overview of how to select the most appropriate'
  ➜ Skipping stray line: 'learning theories, design processes, and instructional strategies based on learner audience, instructional setting, and current and desired state of'
  ➜ Skipping stray line: 'learning.'
  ➜ Skipping stray line: 'IYT2 - Introduction to Curriculum Theory - For over 200 years, educators in the United States have debated the purpose of education. Should'
  ➜ Skipping stray line: 'education be for enlightenment or to prepare students for the life of work? Should education be for many or for a select few? These questions continue'
  ➜ Skipping stray line: 'to be debated today. Through curriculum theory and reflection, educators have an educational framework by which to understand how theory and'
  ➜ Skipping stray line: 'one's philosophical views can impact the design, development, and implementation of curriculum and instruction. With this in mind, Introduction to'
  ➜ Skipping stray line: 'Curriculum Theory focuses on exploring and applying an understanding of Scholar Academic, Social Efficiency, Learner Centered, and Social'
  ➜ Skipping stray line: 'Reconstruction ideologies in various instructional settings and on the development on one’s own curriculum philosophy.'
  ➜ Skipping stray line: 'IZT2 - Learning Theories - Learning Theories focuses on the complexity of the current learning environment and how behaviorism, cognitivism,'
  ➜ Skipping stray line: 'constructivism, and personal learning philosophy can assist in the development of appropriate curriculum and instruction.'
  ➜ Skipping stray line: 'JIT2 - Risk Management - Content focuses on categorizing levels of risk and understanding how risk can impact the operations of the business'
  ➜ Skipping stray line: 'through a scenario involving the creation of a risk management program and business continuity program for a company and a business situation'
  ➜ Skipping stray line: 'reacting to a crisis/disaster situation affecting the company.'
  ➜ Skipping stray line: 'JNT2 - Instructional Design Analysis - Instructional Design Analysis focuses on using analysis of needs to determine the needs and interests of'
  ➜ Skipping stray line: 'learners, and scope and sequence for developing a logical approach for an education program to formulate appropriate and measurable program'
  ➜ Skipping stray line: 'objectives.'
  ➜ Skipping stray line: 'JOT2 - Issues in Instructional Design - Issues in Instructional Design focuses on learning theories, learner analysis, scope and sequence,'
  ➜ Skipping stray line: 'instructional strategies, task analysis and design theories, media and technology foundations, and adaptive technologies for special populations for'
  ➜ Skipping stray line: 'creating effective, well-articulated, and efficient instruction.'
  ➜ Skipping stray line: 'JPT2 - Instructional Design Production - Instructional Design Production focuses on the application of a systematic process of instructional design,'
  ➜ Skipping stray line: 'namely the concepts and procedure for analyzing and designing successful instruction. This course will prepare students to conduct a goal analysis, a'
  ➜ Skipping stray line: 'process used to identify instructional goals, as well as a task analysis, which is used to determine the skills and knowledge required to accomplish'
  ➜ Skipping stray line: 'those goals. This course also focuses on writing performance objectives, designing assessments, and developing instruction that incorporates relevant'
  ➜ Skipping stray line: 'learning theories. Methods for formatively evaluating a unit of instruction are also introduced. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'JQT2 - Issues in Measurement and Evaluation - Issues in Measurement and Evaluation focuses on the understanding of formative and summative'
  ➜ Skipping stray line: 'evaluation, quantitative and qualitative data collection tools, including rubrics and the processes of evaluation.'
  ➜ Skipping stray line: 'JRT2 - Evaluation Methodology and Instrumentation - Evaluation Methodology and Instrumentation focuses on using qualitative and quantitative'
  ➜ Skipping stray line: 'data collection tools and techniques to construct and evaluate valid and reliable measuring instruments.'
  ➜ Skipping stray line: 'JST2 - Evaluation Process and Recommendation - Evaluation Process and Recommendation focuses on implementing and interpreting an'
  ➜ Skipping stray line: 'evaluation and the reporting of the results and recommendations to stakeholders.'
  ➜ Skipping stray line: 'JWT2 - Instructional Theory - Instructional Theory focuses on exploring instructional design theory and related models and processes. Students will'
  ➜ Skipping stray line: 'apply instructional design principles to the design and delivery of plans to meet the learning needs found in the instructional setting.'
  ➜ Skipping stray line: 'JXT2 - Educational Psychology - Educational Psychology examines the latest findings in child and adolescent development and provides educators'
  ➜ Skipping stray line: 'the opportunity to apply educational psychology to various instructional settings. Students will explore the areas of applied educational psychology to'
  ➜ Skipping stray line: 'teaching, cognitive development, social development, and cultural development. They will design, develop, modify, and evaluate curriculum and'
  ➜ Skipping stray line: 'instruction in various educational settings according to child/adolescent development.'
  ➜ Skipping stray line: 'JYT2 - Curriculum Design - Curriculum Design focuses on exploring curriculum design theory, educational standards, and design frameworks for'
  ➜ Skipping stray line: 'what to teach. Together these topics will provide educators with the ability to take principles of curriculum design theory and related models and apply'
  ➜ Skipping stray line: 'them when developing, designing, and modifying curriculum to meet learning needs in their instructional setting.'
  ➜ Skipping stray line: 'JZT2 - Curriculum Evaluation - Curriculum Evaluation focuses on exploring evaluation systems and student data to determine the effectiveness of'
  ➜ Skipping stray line: 'curriculum. It also focuses on differentiating curriculum based on student data.'
  ➜ Skipping stray line: 'KAT2 - Assessment for Student Learning - Assessment for Student Learning focuses on developing the knowledge and skills to identify, develop,'
  ➜ Skipping stray line: 'and design instrument tools for evaluating student learning. It also explores the use of objective and performance-based, formative, and summative'
  ➜ Skipping stray line: 'assessments and their results in the evaluation of curriculum and instruction for student learning.'
  ➜ Skipping stray line: 'KBT2 - Differentiated Instruction - Differentiated Instruction focuses on developing and implementing curriculum and instruction that that best meets'
  ➜ Skipping stray line: 'the needs of all learners within a given instructional setting.'
  ➜ Skipping stray line: 'LEC1 - Comprehensive Educational Leadership Integration - You will complete a comprehensive objective proctored assessment in Educational'
  ➜ Skipping stray line: 'Leadership theory and practices, including administrative theory, school law, school finance, curriculum development and implementation, personnel'
  ➜ Skipping stray line: 'management, public relations, and technology. You will be required to pass the Comprehensive Educational Leadership Integration objective'
  ➜ Skipping stray line: 'assessment.'
  ➜ Skipping stray line: 'LFT1 - Student, Stakeholder, and Market Focus for Educational Leaders - This subdomain reviews principles and practices of meeting'
  ➜ Skipping stray line: 'stakeholder needs and reviews your case study site’s effectiveness in managing stakeholder relationships.'
  ➜ Skipping stray line: 'LMT1 - Measurement, Analysis, and Knowledge Management for Educational Leaders - This subdomain reviews principles and practices of'
  ➜ Skipping stray line: 'program and curriculum effectiveness evaluation as well as best practices in technology for educational leaders. You also complete a program,'
  ➜ Skipping stray line: 'practice, or curriculum effectiveness evaluation in your case study site as well as an evaluation of technology implementation.'
  ➜ Skipping stray line: 'LNT1 - Process Management for Educational Leaders - This subdomain reviews best practices in process management for educational leaders, as'
  ➜ Skipping stray line: 'well as an evaluation of your case study site’s process management policies and practices.'
  ➜ Skipping stray line: 'LPA1 - Language Production, Theory and Acquisition - Language Production, Theory and Acquisition focuses on describing and understanding'
  ➜ Skipping stray line: 'language and the development of language. It includes the study of acquisition theory, grammar, and applied phonetics.'
  ➜ Skipping stray line: 'LPT1 - Performance Excellence Criteria for Educational Leaders - This subdomain reviews the case study model and prepares you to complete a'
  ➜ Skipping stray line: 'thorough review of the effectiveness of their case study site’s operations, outcomes, and leadership.'
  ➜ Skipping stray line: 'LQT2 - Information Security and Assurance Capstone Project - Students will be able to choose from three areas of emphasis, depending on'
  ➜ Skipping stray line: 'personal and professional interests. Students will complete a capstone project that deals with a significant real-world business problem that further'
  ➜ Skipping stray line: 'integrates the components of the degree. Capstone projects will require an oral defense before a committee of WGU faculty.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 173'
  ➜ Skipping stray line: 'LRT1 - Practicum in Educational Leadership - Foundational Perspectives of Education includes a series of performance tasks to take place under'
  ➜ Skipping stray line: 'the leadership of a practicing state licensed school principal or assistant principal in a practicum school site (K–12). This assessment also includes'
  ➜ Skipping stray line: 'completion of assigned administrative duties to take place in both elementary (K–6) and secondary (7–12) settings under the leadership and'
  ➜ Skipping stray line: 'supervision of the cooperating administrator in your case study school site. Practicum requirements vary by state of intended licensure and WGU'
  ➜ Skipping stray line: 'program requirements, and the standard has been set between 275 and 540 of logged practicum activities that span a minimum of six consecutive'
  ➜ Skipping stray line: 'months. Please refer back to the WGU Student Handbook for reference of your program requirements. You are required to pass the Practicum in'
  ➜ Skipping stray line: 'Educational Leadership performance assessments and successfully submit other documentation, including evaluations of your performance'
  ➜ Skipping stray line: 'completed by the cooperating administrator and documentation of completion of state-required hours of assigned administrative duties. The'
  ➜ Skipping stray line: 'Educational Leadership Practicum requires a practicum fee. During the Educational Leadership Practicum, you are also expected to take and pass'
  ➜ Skipping stray line: 'your state's licensure examination(s) required for certification as a school principal and the PRAXIS 5411 Educational Leadership: Administration and'
  ➜ Skipping stray line: 'Supervision exam.'
  ➜ Skipping stray line: 'LST1 - Strategic Planning for Educational Leaders - This subdomain reviews principles and practices of the strategic planning process as well as a'
  ➜ Skipping stray line: 'case study review of the strategic planning processes in your case study site.'
  ➜ Skipping stray line: 'LWT1 - Workforce Focus for Educational Leaders - This subdomain reviews best practices in human resource administration for educational'
  ➜ Skipping stray line: 'leaders, as well as an evaluation of your case study site’s workforce management practices.'
  ➜ Skipping stray line: 'LZT2 - Power, Influence and Leadership - This course focuses on the development of the critical leadership and soft skills necessary for success in'
  ➜ Skipping stray line: 'information technology leadership and management. The course focuses specifically on skills such as cultivating effective leadership communication,'
  ➜ Skipping stray line: 'building personal influence, enhancing emotional intelligence (soft skills), generating ideas and encouraging idea generation in others, conflict'
  ➜ Skipping stray line: 'resolution, and positioning oneself as an influential change agent within different organizational cultures.'
  ➜ Skipping stray line: 'MAT2 - Information Technology Management - This course will prepare students to cope with information technology resources in a manner'
  ➜ Skipping stray line: 'beneficial to their company. Such skill includes estimating both the cost and value of IT to the company, setting priorities for project selection,'
  ➜ Skipping stray line: 'management of IT projects, and handling risk. These responsibilities imply an ability to align technology with an organization’s strategic goals. In total,'
  ➜ Skipping stray line: 'students will develop the ability to effectively administer and manage current and emerging technologies within an organization.'
  ➜ Skipping stray line: 'MBT2 - Technological Globalization - This course is designed to equip students to better understand the fundamental, galvanizing and'
  ➜ Skipping stray line: 'transformational role of advanced IT communications, networks and services in all major industries; advanced IT is an unparalleled force multiplier in'
  ➜ Skipping stray line: 'scientific research, energy production and use, health and medicine. IT is a critical resource in the global community, economically, socially, politically'
  ➜ Skipping stray line: 'and culturally.'
  ➜ Skipping stray line: 'MCT2 - Technical Writing - As IT professionals are frequently required to interface with customers, clients, other departments, organizational leaders,'
  ➜ Skipping stray line: 'and even other institutions, strong communication skills are vital. In this course, students learn to communicate accurately, effectively, and ethically to'
  ➜ Skipping stray line: 'a variety of audiences. Students design communication to fit oral, print, and multi-media contexts. They develop rhetorical sensitivity in both their'
  ➜ Skipping stray line: 'writing and their design decisions.'
  ➜ Skipping stray line: 'MEC1 - Foundations of Measurement and Evaluation - Foundations of Measurement and Evaluation focuses on assessment validity, constructing'
  ➜ Skipping stray line: 'reliable test instruments, identifying appropriate item and instrument types, qualitative data collection tools and techniques, and conducting a formative'
  ➜ Skipping stray line: 'and summative evaluation for an instruction product or program.'
  ➜ Skipping stray line: 'MFT2 - Mathematics (K-6) Portfolio Oral Defense - Mathematics (K-6) Portfolio Oral Defense: Mathematics (K-6) Portfolio Defense focuses on a'
  ➜ Skipping stray line: 'formal presentation. The student will present an overview of their teacher work sample (TWS) portfolio discussing the challenges they faced and how'
  ➜ Skipping stray line: 'they determined whether their goals were accomplished. They will explain the process they went through to develop the TWS portfolio and reflect on'
  ➜ Skipping stray line: 'the methodologies and outcomes of the strategies discussed in the TWS portfolio. Additionally, they will discuss the strengths and weaknesses of'
  ➜ Skipping stray line: 'those strategies and how they can apply what they learned from the TWS portfolio in their professional work environment.'
  ➜ Skipping stray line: 'MGT2 - IT Project Management - IT Project Management provides an overview of the Project Management Institute’s project management'
  ➜ Skipping stray line: 'methodology. Topics cover various process groups and knowledge areas and application of knowledge in case studies for planning a project that has'
  ➜ Skipping stray line: 'not started yet and monitoring/controlling a project that is already underway.'
  ➜ Skipping stray line: 'MMT2 - IT Strategic Solutions - In IT Strategic Solutions the learner will have the opportunity to identify strategic opportunities and emerging'
  ➜ Skipping stray line: 'technologies as they research and decide on a system to support a growing company. Topics will include technology strategy; gap analysis;'
  ➜ Skipping stray line: 'researching new technology; strengths, opportunities, weaknesses, and threats; ethics; risk mitigation; data security, communication plans; and'
  ➜ Skipping stray line: 'globalization.'
  ➜ Skipping stray line: 'NHC1 - Introduction to Instructional Planning and Presentation - Students will develop a basic understanding of effective instructional principles'
  ➜ Skipping stray line: 'and how to differentiate instruction in order to elicit powerful teaching in the classroom.'
  ➜ Skipping stray line: 'NMA1 - Professional Role of the ELL Teacher - The Professional Role of the ELL Teacher focuses on issues of professionalism for the English'
  ➜ Skipping stray line: 'Language Learning teacher and leader. This includes program development, ethics, engagement in professional organizations, serving as a resource,'
  ➜ Skipping stray line: 'and ELL advocacy.'
  ➜ Skipping stray line: 'NNA1 - Planning, Implementing, Managing Instruction - Planning, Implementing, Managing Instruction focuses on a variety of philosophies and'
  ➜ Skipping stray line: 'grade levels of English Language Learner (ELL) instruction. It includes the study of ELL listening and speaking, ELL reading and writing, specially'
  ➜ Skipping stray line: 'designed academic instruction in English (SDAIE), and specific issues for various grade level instruction.'
  ➜ Skipping stray line: 'OOT2 - Mathematics History and Technology - Mathematics History and Technology introduces a variety of technological tools for doing'
  ➜ Skipping stray line: 'mathematics, and you will develop a broad understanding of the historical development of mathematics. You will come to understand that'
  ➜ Skipping stray line: 'mathematics is a very human subject that comes from the macro-level sweep of cultural and societal change, as well as the micro-level actions of'
  ➜ Skipping stray line: 'individuals with personal, professional, and philosophical motivations. Most importantly, you will learn to evaluate and apply technological tools and'
  ➜ Skipping stray line: 'historical information to create an enriching student-centered mathematical learning environment. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'OPT2 - Mathematics Learning and Teaching - Mathematics Learning and Teaching will help you develop the knowledge and skills necessary to'
  ➜ Skipping stray line: 'become a prospective and practicing educator. You will be able to use a variety of instructional strategies to effectively facilitate the learning of'
  ➜ Skipping stray line: 'mathematics. This course focuses on selecting appropriate resources, using multiple strategies, and instructional planning, with methods based on'
  ➜ Skipping stray line: 'research and problem solving. A deep understanding of the knowledge, skills, and disposition of mathematics pedagogy is necessary to become an'
  ➜ Skipping stray line: 'effective secondary mathematics educator. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'PFHM - Business - HR Management Portfolio Requirement - Students prepare a culminating professional portfolio to demonstrate the'
  ➜ Skipping stray line: 'competencies they have learned throughout their program. The portfolio includes a strengths essay, a career report, a reflection essay, a résumé, and'
  ➜ Skipping stray line: 'exhibits demonstrating personal strengths in the work place.'
  ➜ Skipping stray line: 'PFIT - Business - IT Management Portfolio Requirement - Business - IT Management Portfolio Requirement is designed to help the learner'
  ➜ Skipping stray line: 'complete the culminating Undergraduate Business Portfolio assessment; it focuses on developing a business portfolio containing a strengths essay, a'
  ➜ Skipping stray line: 'career report, a reflection essay, a resume, and exhibits that support one’s strengths in the work place.'
  ➜ Skipping stray line: 'QDT1 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'
  ➜ Skipping stray line: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'
  ➜ Skipping stray line: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'
  ➜ Skipping stray line: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'
  ➜ Skipping stray line: 'Algebra is a prerequisite for this course.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 174'
  ➜ Skipping stray line: 'QDT2 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'
  ➜ Skipping stray line: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'
  ➜ Skipping stray line: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'
  ➜ Skipping stray line: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'
  ➜ Skipping stray line: 'Algebra is a prerequisite for this course.'
  ➜ Skipping stray line: 'QET1 - Business - HR Management Capstone Project - For the Business - HR Management Capstone Project students will integrate and'
  ➜ Skipping stray line: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ➜ Skipping stray line: 'professional field. A comprehensive business plan is developed for a company that offers HR products or services. The business plan includes a'
  ➜ Skipping stray line: 'market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ➜ Skipping stray line: 'QFT1 - Business - IT Management Capstone Project - The capstone requires students to demonstrate the integration and synthesis of'
  ➜ Skipping stray line: 'competencies in all domains required for the degree in Information Technology Management. The student produces a business plan for a start-up'
  ➜ Skipping stray line: 'company that is selected and approved by the student and mentor.'
  ➜ Skipping stray line: 'QGT1 - Business Management Capstone Written Project - For the Business Management Capstone Written Project students will integrate and'
  ➜ Skipping stray line: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ➜ Skipping stray line: 'professional field. A comprehensive business plan is developed for a company that plans to sell a product or service in a local market, national'
  ➜ Skipping stray line: 'market, or on the Internet. The business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to'
  ➜ Skipping stray line: 'the chosen company.'
  ➜ Skipping stray line: 'QHT1 - Business Management Tasks - Business Management Tasks addresses important concepts needed to effectively manage a'
  ➜ Skipping stray line: 'business. Topics include the cost-quality relationship, the use of various types of graphical charts in operations management, managing innovation,'
  ➜ Skipping stray line: 'and developing strategies for working with individuals and groups.'
  ➜ Skipping stray line: 'QIT1 - Business Marketing Management Capstone Written Project - For the Business Marketing Management Capstone Project students will'
  ➜ Skipping stray line: 'integrate and synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their'
  ➜ Skipping stray line: 'chosen professional field. A comprehensive business plan is developed for a company that provides some type of marketing product or service. The'
  ➜ Skipping stray line: 'business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ➜ Skipping stray line: 'QJT2 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to use'
  ➜ Skipping stray line: 'differential calculus of one variable and appropriate technology to solve basic problems. Topics include graphing functions and finding their domains'
  ➜ Skipping stray line: 'and ranges; limits, continuity, differentiability, visual, analytical, and conceptual approaches to the definition of the derivative; the power, chain, and'
  ➜ Skipping stray line: 'sum rules applied to polynomial and exponential functions, position and velocity; and L'Hopital's Rule. Candidates should have completed a course in'
  ➜ Skipping stray line: 'Pre-Calculus before engaging in this course.'
  ➜ Skipping stray line: 'QTT2 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ➜ Skipping stray line: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ➜ Skipping stray line: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ➜ Skipping stray line: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'RKT1 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ➜ Skipping stray line: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ➜ Skipping stray line: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ➜ Skipping stray line: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ➜ Skipping stray line: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ➜ Skipping stray line: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'RKT2 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ➜ Skipping stray line: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ➜ Skipping stray line: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ➜ Skipping stray line: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ➜ Skipping stray line: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ➜ Skipping stray line: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'RNT1 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ➜ Skipping stray line: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ➜ Skipping stray line: 'RNT2 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ➜ Skipping stray line: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ➜ Skipping stray line: 'RXT2 - Precalculus and Calculus - Precalculus and Calculus provides instruction in precalculus and calculus and applies them to examples found in'
  ➜ Skipping stray line: 'both mathematics and science. Topics in precalculus include principles of trigonometry, mathematical modeling, and logarithmic, exponential,'
  ➜ Skipping stray line: 'polynomial, and rational functions. Topics in calculus include conceptual knowledge of limit, continuity, differentiability, and integration.'
  ➜ Skipping stray line: 'SJT2 - Advanced Networking Technology - This course prepares students to support the ever growing interconnectivity needs of organizations.'
  ➜ Skipping stray line: 'Students will learn about advanced networking concepts, devices and strategies to provide superior network connectivity to organizations. A review of'
  ➜ Skipping stray line: 'common yet critical network devices and technologies will be provided such as switches, routers, hubs, firewalls, T-1s, ATM, fiber and others.'
  ➜ Skipping stray line: 'Students will also be prepared to review existing network environments and provide specifications to upgrade and enhance such networks.'
  ➜ Skipping stray line: 'SLO1 - Theories of Second Language Acquisition and Grammar - Theories of Second Language Learning Acquisition and Grammar covers'
  ➜ Skipping stray line: 'content material in applied linguistics, including morphology, syntax, semantics, and grammar. Students will explore the role of dialect in the'
  ➜ Skipping stray line: 'classroom, the connections between language and culture, and the theories of first and second language acquisition.'
  ➜ Skipping stray line: 'TAT2 - Technology Production - Technology Production focuses on the foundations of media and technology, integrated technology development,'
  ➜ Skipping stray line: 'and the integration of technology into appropriate instructional uses of productivity, and applying different research applications in the learning'
  ➜ Skipping stray line: 'environment.'
  ➜ Skipping stray line: 'TDT1 - Technology Design Portfolio - Technology Design Portfolio focuses on gaining a broad overview of the field of technology integration with a'
  ➜ Skipping stray line: 'fundamental understanding of some key concepts and principles, and enhancing technology skills to enable the producing of exportable instructional'
  ➜ Skipping stray line: 'and professional products using various integrated application programs.'
  ➜ Skipping stray line: 'TET1 - Issues in Technology Integration - Issues in Technology Integration focuses on the legal and ethical practice of technology, some personal'
  ➜ Skipping stray line: 'uses of electronic resources, the need for protection of information, the foundations of media and technology, what electronic learning communities'
  ➜ Skipping stray line: 'are, and the adaptive technologies for special populations.'
  ➜ Skipping stray line: 'TFT2 - Cyberlaw, Regulations, and Compliance - Cyberlaw, Regulations and Compliance prepares students to participate in legal analysis of'
  ➜ Skipping stray line: 'relevant cyberlaws and address governance, standards, policies, and legislation. Students will conduct a security risk analysis for an enterprise'
  ➜ Skipping stray line: 'system. In addition, students will determine cyber requirements for third‐party vendor agreements. Students will also evaluate provisions of both the'
  ➜ Skipping stray line: '2001 and 2006 USA PATRIOT Acts.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 175'
  ➜ Skipping stray line: 'TOC2 - Probability and Statistics I - Probability and Statistics I covers the knowledge and skills necessary to apply basic probability, descriptive'
  ➜ Skipping stray line: 'statistics, and statistical reasoning, and to use appropriate technology to model and solve real-life problems. It provides an introduction to the science'
  ➜ Skipping stray line: 'of collecting, processing, analyzing, and interpreting data. Topics include creating and interpreting numerical summaries and visual displays of data;'
  ➜ Skipping stray line: 'regression lines and correlation; evaluating sampling methods and their effect on possible conclusions; designing observational studies, controlled'
  ➜ Skipping stray line: 'experiments, and surveys; and determining probabilities using simulations, diagrams, and probability rules. College Algebra is a prerequisite for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'TQC1 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Skipping stray line: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Skipping stray line: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Skipping stray line: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Skipping stray line: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Skipping stray line: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Skipping stray line: 'TQC2 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Skipping stray line: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Skipping stray line: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Skipping stray line: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Skipping stray line: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Skipping stray line: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Skipping stray line: 'TSC2 - General Chemistry I - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Skipping stray line: 'solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic table and chemical'
  ➜ Skipping stray line: 'nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work focuses on using'
  ➜ Skipping stray line: 'effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TSP1 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Skipping stray line: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Skipping stray line: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TSP2 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Skipping stray line: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Skipping stray line: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TUC2 - General Chemistry II - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Skipping stray line: 'solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models, oxidation-reduction'
  ➜ Skipping stray line: 'reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on using effective'
  ➜ Skipping stray line: 'laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TUP1 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Skipping stray line: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Skipping stray line: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TUP2 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Skipping stray line: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Skipping stray line: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TVT2 - Governance, Finance, Law, and Leadership for Principals - This subdomain contains content in educational law, finance, and'
  ➜ Skipping stray line: 'administration as well as a case study review of your site’s leadership practices.'
  ➜ Skipping stray line: 'UFC1 - Managerial Accounting - This course focuses on identifying, gathering, and interpreting information that will be used for evaluating and'
  ➜ Skipping stray line: 'managing the performance of a business. Students will also study cost measurement for producing goods and services and how to analyze and'
  ➜ Skipping stray line: 'control these costs.'
  ➜ Skipping stray line: 'UQT1 - Organic Chemistry - This course focuses on the study of compounds that contain carbon, much of which is learning how to organize and'
  ➜ Skipping stray line: 'group these compounds based on common bonds found within them in order to predict their structure, behavior, and reactivity.'
  ➜ Skipping stray line: 'VLT2 - Security Policies and Standards - Best Practices - This course focuses on the practices of planning and implementing organization-wide'
  ➜ Skipping stray line: 'security and assurance initiatives as well as auditing assurance processes.'
  ➜ Skipping stray line: 'VYC1 - Principles of Accounting - Principles of Accounting focuses on ways in which accounting principles are used in business operations.'
  ➜ Skipping stray line: 'Students will learn about the basics of accounting, including how to use Generally Accepted Accounting Principles (GAAP), ledgers, and journals.'
  ➜ Skipping stray line: 'Students will also be introduced to the steps of the accounting cycle, concepts of assets and liabilities, and general information about accounting'
  ➜ Skipping stray line: 'information systems. This course also presents bank reconciliation methods, balance sheets, and business ethics.'
  ➜ Skipping stray line: 'VZT1 - Marketing Applications - Marketing Applications allows students to apply their knowledge of core marketing principles by creating a'
  ➜ Skipping stray line: 'comprehensive marketing plan. Their plan will apply their knowledge of the marketing planning process, market analysis, and the marketing mix'
  ➜ Skipping stray line: '(product, place, promotion, and price).'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 176'
  ➜ Skipping stray line: 'Course Mentor Directory'
  ➜ Skipping stray line: 'General Education'
  ➜ Skipping stray line: 'Adams, William; M.A., Savanah College of Art and Design'
  ➜ Skipping stray line: 'Aguirre, Jennifer; M.S., Walden University'
  ➜ Skipping stray line: 'Akens, Jonne; Ph. D., Texas A&M University'
  ➜ Skipping stray line: 'Alexander, Ledora; Ed.S., Walden University'
  ➜ Skipping stray line: 'Ashe, James; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Barnes, Lauri; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Baty, Amanda; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Benson, Bryan; Ph.D., Boston College'
  ➜ Skipping stray line: 'Bilbrey, Joshua; Ph.D., Texas State University'
  ➜ Skipping stray line: 'Borden, Anne; Ph.D., Emory University'
  ➜ Skipping stray line: 'Brewer, Craig: Ph.D., University of Notre Dame'
  ➜ Skipping stray line: 'Brown, Bonnie; Ph.D., Stephen F. Austin State University'
  ➜ Skipping stray line: 'Browning, Ellen; Ph.D., University of Texas, Arlington'
  ➜ Skipping stray line: 'Buchanan, Tenielle; Ed.D., Lipscomb University'
  ➜ Skipping stray line: 'Byrnes, Sean; Ph.D., Emory University'
  ➜ Skipping stray line: 'Carmona, Karla; M.S., Western Governors University'
  ➜ Skipping stray line: 'Castaneda, Gilivaldo; M.Ed., University of Texas at San Antonio'
  ➜ Skipping stray line: 'Chaves Ulloa, Ramsa; Ph.D., Dartmouth College'
  ➜ Skipping stray line: 'Chittick, Sharla; Ph.D., University of Stirling'
  ➜ Skipping stray line: 'Condit, Lorna; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Cowan, Christy; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Crawford, Nathan; Ph.D., University of Tennessee-Knoxville'
  ➜ Skipping stray line: 'Crooks, Kathleen; Ph.D., University of Akron'
  ➜ Skipping stray line: 'Cross, Cameron; M.S., Kaplan University'
  ➜ Skipping stray line: 'Cureton, Sara; M.A., Gonzaga Univeristy'
  ➜ Skipping stray line: 'Cutler, Ned; Ph.D., Duke University'
  ➜ Skipping stray line: 'Dodge, Joshua; M.A., University of Central Florida'
  ➜ Skipping stray line: 'Dorre, Gina; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Douglas, Katherine; M.A., University of California, San Diego'
  ➜ Skipping stray line: 'Duff, Kandi; Ed.D., Idaho State University'
  ➜ Skipping stray line: 'Dungar, Michael; MA, Boston College'
  ➜ Skipping stray line: 'Edmunds, Jeffrey; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Evans, Robin; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Evenson Newhouse, Ranae; Ph.D., Vanderbilt University'
  ➜ Skipping stray line: 'Faucett, Jessica; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Fehnel, Bradley; M.S., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Fellow, Jill; M.S., Brigham Young University'
  ➜ Skipping stray line: 'Franco, Heidi; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Frusciante, Denise; Ph.D., University of Miami'
  ➜ Skipping stray line: 'Galindez, Dahlia; MA, Western Governors University'
  ➜ Skipping stray line: 'Gangaram, Jitendra; Ph.D., North Central University'
  ➜ Skipping stray line: 'Garrett, Janette; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Goodwin, Rachel; Ph.D., University of Texas'
  ➜ Skipping stray line: 'Gordon, Kelley; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Gravitte, Kristen; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Gradzielewski, Andrew; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Halula, Stephen; Ph.D., Marquette University'
  ➜ Skipping stray line: 'Harris, Steven; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Hartwick, Andromeda; Ph.D., University of Michigan'
  ➜ Skipping stray line: 'Hayne, Victoria; Ph.D., University of California - Los Angeles'
  ➜ Skipping stray line: 'Hernandez, Ali; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Hillyer, Aaron; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Horne, Lisa; M.A., Brigham Young University'
  ➜ Skipping stray line: 'Hurley, Norman; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Jensen, Taylor; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Johnson, Stephanie; MBA, Lindenwood University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 177'
  ➜ Skipping stray line: 'Jones, Lee; Ph.D., Clark Atlanta University'
  ➜ Skipping stray line: 'Kelley, Matthew; Ph.D., University of Nevada-Las Vegas'
  ➜ Skipping stray line: 'Kelly, Lynn; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Knieps, Linda; Ph.D., Vanderbilt University'
  ➜ Skipping stray line: 'Knous, Helen; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Landry, Stan; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Latham, Kary; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Lauren, Jennifer; Ph.D., Duquesne University'
  ➜ Skipping stray line: 'Leep, Matthew; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Lettau, Lisa; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Little, David; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Lukin, Kara; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Main, Daniel; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Mammen, John; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Mantooth, Stacy; Ph. D., University of Nevada – Las Vegas'
  ➜ Skipping stray line: 'Martin, Jonathan; M.A., West Virginia University'
  ➜ Skipping stray line: 'Mays, Ashley; Ph.D., University of North Carolina at Chapel Hill'
  ➜ Skipping stray line: 'McCune, Timothy; Ph.D., Youngstown State University'
  ➜ Skipping stray line: 'McWatters, Mason; Ph.D., University of Texas at Austin'
  ➜ Skipping stray line: 'Metoki, Kiyoko; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Meyer, Nicholas; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Miller, Don; Ph.D., Morehouse School of Medicine'
  ➜ Skipping stray line: 'Miller, Kathleen; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Moody, Vivian; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Mosgrove, Sharon; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Moss, Meg; Ph.D., University of Tennessee-Knoxville'
  ➜ Skipping stray line: 'Mzoughi, Taha; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Nelson, Angela; Ph.D., Cornell University'
  ➜ Skipping stray line: 'Nicley, Erinn; M.S., Florida State University'
  ➜ Skipping stray line: 'Norton, Cindy; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Olson, Nels; Ph.D., Michigan State University'
  ➜ Skipping stray line: 'Oulette, David; Ph.D., Virginia Commonwealth University'
  ➜ Skipping stray line: 'Palmer, Michael; M.F.A., University of Utah'
  ➜ Skipping stray line: 'Pankowski, Peg; Ed.D., Duquesne University'
  ➜ Skipping stray line: 'Parrish, Anca; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Parton, Sabrena; Ph.D., University of Southern Mississippi'
  ➜ Skipping stray line: 'Parvin, Kathleen; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Peppers, Shelitha; Ed.D., Maryville University'
  ➜ Skipping stray line: 'Perkins, Heidi; M.S., Excelsior College'
  ➜ Skipping stray line: 'Phillips, Dedra; M.A., Colorado Technical University'
  ➜ Skipping stray line: 'Potter, Christine; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Quintela, Melissa; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Radosavljevic, Alexander; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Redden, Cameron; MAT, Baldwin Wallace University'
  ➜ Skipping stray line: 'Redkey, Elizabeth; Ph.D., University at Albany, State University of New York'
  ➜ Skipping stray line: 'Remington, Theodore; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Rhodes, Kristofer; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Robinson, Ami; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Robinson, Jeffery; Ph.D., Drew University'
  ➜ Skipping stray line: 'Rosenblatt, Heather; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Rossi, Cynthia; Ph.D., University of Maryland'
  ➜ Skipping stray line: 'Saddler, Derrick; Ph.D., University of South Florida'
  ➜ Skipping stray line: 'Sanchez, Melvin; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Scheg, Abigail; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Scheib, Douglas; Ph.D., University of Miami'
  ➜ Skipping stray line: 'Scotece, Shannon; Ph.D., State University of New York - Albany'
  ➜ Skipping stray line: 'Shahi, Kimberley; Ph.D., University of Texas at Arlington'
  ➜ Skipping stray line: 'Sharpe, Robert; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Shimotsu-Dariol, Stephanie; Ph.D., West Virginia University'
  ➜ Skipping stray line: 'Simeon, Patricia; Ed.D., Grambling State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 178'
  ➜ Skipping stray line: 'Simmons, Nathaniel; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Smith, Tommie; MBA, Middle Tennessee State University'
  ➜ Skipping stray line: 'Springfield, Derriell; Ed.D., East Tennessee State University'
  ➜ Skipping stray line: 'St Martin, Ashley; M.S., University of Vermont'
  ➜ Skipping stray line: 'Stambaugh, Nathaniel; Ph.D., Brandeis University'
  ➜ Skipping stray line: 'Starr, Neil; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Timmer, Kristin; Ph.D., University of Tennessee Health Science Center'
  ➜ Skipping stray line: 'Tolin Schultz, Alexandra; Ph.D., Stony Brook University'
  ➜ Skipping stray line: 'Tucker, Diana; Ph.D., Southern Illinois University Carbondale'
  ➜ Skipping stray line: 'Tweedy, Joanna; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Verber, Jason; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Vida, Anna; M.A., Arizona State University'
  ➜ Skipping stray line: 'Walker, Hope; M.A., The American University'
  ➜ Skipping stray line: 'Weaver, Matthew; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Webb, James; M.A., Pacific University'
  ➜ Skipping stray line: 'Wellinghoff, Lisa; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Westmoreland, Brandi; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Whitson-Whennen, Tonya; M.M., University of Utah'
  ➜ Skipping stray line: 'Woolridge, Mary; Ph.D., University of Central Florida'
  ➜ Skipping stray line: 'Young, Michael; Ph.D., University of Missouri at Saint Louis'
  ➜ Skipping stray line: 'Zasadny, Jill; Ph.D., Kansas University'
  ➜ Skipping stray line: 'Teachers College'
  ➜ Skipping stray line: 'Aafif, Amal; Ph.D., Drexel University'
  ➜ Skipping stray line: 'Affleck, Alisa; M.A., Western Governors University'
  ➜ Skipping stray line: 'Allen, Elizabeth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Aranda, Christina; M.A., University of Utah'
  ➜ Skipping stray line: 'Aufderhaar, Carolyn; Ed.D., University of Cincinnati'
  ➜ Skipping stray line: 'Baxter, Marissa; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Belchik-Moser, Sara; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Betts, Anastasia; Ph.D., Regent University'
  ➜ Skipping stray line: 'Blanks, Dorothy; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Boen, Laurie; Ph.D., University of Arkansas'
  ➜ Skipping stray line: 'Boyd-Bradwell, Natasha; Ph.D., Capella University'
  ➜ Skipping stray line: 'Branan, Daniel; Ph.D., University of Denver'
  ➜ Skipping stray line: 'Branch, Leah; Ed.D., Bethel University'
  ➜ Skipping stray line: 'Brogan, Lynn; Ed.D., Columbia University'
  ➜ Skipping stray line: 'Brooks, Marlaina; Ed.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Calero, Lisa; Ph.D., Capella University'
  ➜ Skipping stray line: 'Carey, Kimberly; Ph.D., Old Dominion University'
  ➜ Skipping stray line: 'Cartwright, Nancy; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'Cohen, Kimberley; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Constanza, Michele; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Covey, Nicole; Ed.D., University of Memphis'
  ➜ Skipping stray line: 'Douglas, Deanna; Ph.D., Wichita State University'
  ➜ Skipping stray line: 'Dove, Teresa; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Dukes, Debra; Ed.D., University of Georgia'
  ➜ Skipping stray line: 'Durakiewicz, Anna; M.S., University of Marie Curie'
  ➜ Skipping stray line: 'Eisenhour, Melanie; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Feng, Suiping; Ph.D., City University of New York'
  ➜ Skipping stray line: 'Fillpot, Elsie; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Flavin, Kathryn; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Flores, Alberto; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Francis, David; M.A., Western Governors University'
  ➜ Skipping stray line: 'Giddens, Evelyn; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gillman, Brenna; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Gray-Dowdy, Audra; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Hall, Robert; Ph.D., Capella University'
  ➜ Skipping stray line: 'Halverson, Colleen; Ph.D., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Harbin, Lesley; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 179'
  ➜ Skipping stray line: 'Hardin, Bridgette; Ed.D., Texas A&M University-Corpus Christi'
  ➜ Skipping stray line: 'Hedman, Shawn; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Henry, Joanna; M.E., Lamar University'
  ➜ Skipping stray line: 'Hernandez, Julie; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Hiebel, Adam; Ed.D., Ohio University'
  ➜ Skipping stray line: 'Hudon-Miller, Sarah; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Hughes, Amy; Ed.D., University of Montana'
  ➜ Skipping stray line: 'Hutson, Tommye; Ed.D., Baylor University'
  ➜ Skipping stray line: 'Igbinoba-Cummings, Monique; Ph.D., Lynn University'
  ➜ Skipping stray line: 'Izumi, Alisa; Ed.D., University of Massachusetts'
  ➜ Skipping stray line: 'Jacobs, Patricia; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Janitzki, Dean; M.A., University of Toledo'
  ➜ Skipping stray line: 'Johnson, Sherri; Ph.D., Capella University'
  ➜ Skipping stray line: 'Jovic, Marko; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Kain, Meri; Ed.D., University of Missouri'
  ➜ Skipping stray line: 'Kelly, Gretchen; Ed.D., Walden University'
  ➜ Skipping stray line: 'Leinbach, William; Ed.D., Oregon State University'
  ➜ Skipping stray line: 'Lindemann, Steven; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Linkenhoker, Dina; Ed.D., Liberty University'
  ➜ Skipping stray line: 'Lipscomb, Pauline; Ed.D., University of the Cumberlands'
  ➜ Skipping stray line: 'Luster, Sandricia; Ed.S., Argosy University'
  ➜ Skipping stray line: 'McCarver, Patricia; Ph.D., California Institute of Integral Studies'
  ➜ Skipping stray line: 'McDaniel, Maryann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'McGrath Hovland, Michelle; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Mendes, John; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Miller, Esther; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Mills, Ginger; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Moore, Tontaleya; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Morgan, Matthew; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Mour, Jennifer; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Murray, Mary; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Obianyo, Obiamaka; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Odom, M. Katherine; Ph.D., University of South Alabama'
  ➜ Skipping stray line: 'O’Malley, Maureen; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Pack, Mamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Parry, Kelly; Ph.D., University of North Texas'
  ➜ Skipping stray line: 'Purnell, Courtney; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Quinn, Lori; M.A.Ed., Prairie View A&M University'
  ➜ Skipping stray line: 'Rahsaz, Jacqueline; M.A., University of California San Diego'
  ➜ Skipping stray line: 'Randonis, Jennifer; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Rawson, Robert; Ph.D., University of Texas Southwestern'
  ➜ Skipping stray line: 'Richen, Damara; Ed.D., Fielding Graduate University'
  ➜ Skipping stray line: 'Robles, Veronica; Ed.D., Arizona State University'
  ➜ Skipping stray line: 'Rogers, Carmelle; Ph.D., Kansas State University'
  ➜ Skipping stray line: 'Russell-Fry, Nancy; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Scales, Rebecca; M.A., Western Governors University'
  ➜ Skipping stray line: 'Schmidt, Stan; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Sepetys, Peggy; Ed.D., University of Michigan'
  ➜ Skipping stray line: 'Shrader, Vincent; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Silver, Jennifer; Ph.D., New York University'
  ➜ Skipping stray line: 'Sims, Rachel; Ed.D., Walden University'
  ➜ Skipping stray line: 'Smith, Janeal; Ph.D., Walden University'
  ➜ Skipping stray line: 'Spencer, Kristin; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Story, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Swenson, Karl; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Thompson, Julie; Ph.D., University of Rochester'
  ➜ Skipping stray line: 'Traub-Metlay, Suzanne; Ph.D., University of Pittsburg'
  ➜ Skipping stray line: 'Tresnak, Robyn; Ph.D., Walden University'
  ➜ Skipping stray line: 'Turner, Carmen; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Vickers, Paul; Ed.D., Stephen F. Austin State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 180'
  ➜ Skipping stray line: 'Walter-Sullivan, Earnestyne; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'Weinstein, Gideon; Ph.D., Indiana University Bloomington'
  ➜ Skipping stray line: 'Whitmire, Jane; Ph.D., University of Montana'
  ➜ Skipping stray line: 'Willey-Rendon, Ruby; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Williams, Lacey; Ed.D., Union Institute and University'
  ➜ Skipping stray line: 'Wisnosky, Marc; Ph.D., University of Pittsburgh'
  ➜ Skipping stray line: 'Yanusheva, Lidiya; Ed.D., Walden University'
  ➜ Skipping stray line: 'Yatherajam, Gayatri; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Zartman, Krista; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Zimmerli, Mandy; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'College of Business'
  ➜ Skipping stray line: 'Abubakari, Nina; J.D., Wayne State University'
  ➜ Skipping stray line: 'Adler, Kathleen; Ph.D., Southern Methodist University'
  ➜ Skipping stray line: 'Alafita, Theresa; Ph.D., George Washington University'
  ➜ Skipping stray line: 'Arenz, Russell; Ph.D., Colorado Technical University'
  ➜ Skipping stray line: 'Argiento, Steven; J.D., Pace University'
  ➜ Skipping stray line: 'Austin, Judy; MBA, Western Governors University'
  ➜ Skipping stray line: 'Baragoshi, Behroz; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Barton, Robert; Ed.S., Utah State University'
  ➜ Skipping stray line: 'Black, Hilda; Ph.D., Louisiana Tech University'
  ➜ Skipping stray line: 'Borch, Casey; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Boysen-Rotelli, Sheila; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Brownstein, Steven; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Carson, Pook; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Cassell, Kenneth; MBA, San Jose State University'
  ➜ Skipping stray line: 'Cherry, Patricia; Ph.D., Capella University'
  ➜ Skipping stray line: 'Clarke, Jeffrey; Ph.D., University of California-Los Angeles'
  ➜ Skipping stray line: 'Connor, Martin; J.D., University of North Dakota'
  ➜ Skipping stray line: 'Davis, Lorretta; Ph.D., Capella University'
  ➜ Skipping stray line: 'Davis, Mary; Ed.D., Central Michigan University'
  ➜ Skipping stray line: 'Doctorman, Lindsey; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Doren, Andrew; D.M., University of Maryland'
  ➜ Skipping stray line: 'Dula, Kimberly; Ph.D., Mercer University'
  ➜ Skipping stray line: 'Duran, Anthony; DBA, Grand Canyon University'
  ➜ Skipping stray line: 'Ennis, Erica; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Etter, Edwin; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Feehery, George; DBA, Nova Southeastern University'
  ➜ Skipping stray line: 'Fisher, Paul; Ph.D., Oregon State University'
  ➜ Skipping stray line: 'Gallo, Merry; DBA, Argosy University'
  ➜ Skipping stray line: 'Garland, Jennifer; DBA, Keiser University'
  ➜ Skipping stray line: 'Geddes, Bruce; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gilyot, Bianca; MBA, Northcentral University'
  ➜ Skipping stray line: 'Giscombe, Hilbert; DBA, Argosy University'
  ➜ Skipping stray line: 'Gough, Gregory; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Green, Maurice; Ph.D., University at Albany – State University of New York'
  ➜ Skipping stray line: 'Gunn, Linda; Ph.D., Union Institute and University'
  ➜ Skipping stray line: 'Havins, Merwin; Ed.D., Northern Arizona University'
  ➜ Skipping stray line: 'Heinzman, Joseph; DM, Colorado Technical University'
  ➜ Skipping stray line: 'Hon, Charles; Ph.D., Capella University'
  ➜ Skipping stray line: 'Hudson, Brandi; J.D., Regent University'
  ➜ Skipping stray line: 'Iannucci, Brian; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Imboden, Paul; DBA., Northcentral University'
  ➜ Skipping stray line: 'Jividen, Jim; J.D., Ohio Northern University'
  ➜ Skipping stray line: 'Jones, Alan; MBA, Dartmouth College'
  ➜ Skipping stray line: 'Justice, Jeanne; DBA, Walden University'
  ➜ Skipping stray line: 'Kale, Mrinalini; Ph.D., Capella University'
  ➜ Skipping stray line: 'Kenny, Timothy; M.S., Regis University'
  ➜ Skipping stray line: 'Kowalski, Christine; Ed.D., National Louis University'
  ➜ Skipping stray line: 'Kushniroff, Melinda; Ed.D., Liberty University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 181'
  ➜ Skipping stray line: 'La Hay, Ann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Lagroue, Harold; Ph.D., Louisiana State University'
  ➜ Skipping stray line: 'Lamer, Maryann; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Langdon, Debra; MBA, Denver University'
  ➜ Skipping stray line: 'Lutter-Cooper, Victoria; Ph.D., Capella University'
  ➜ Skipping stray line: 'Marshall, Mario; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'McClesky, Jamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'McNulty, Peggy; Ph.D., University of Colorado-Colorado Springs'
  ➜ Skipping stray line: 'Melton, Rebecca; Ph.D., Chicago School of Professional Psychology'
  ➜ Skipping stray line: 'Mills, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Moore, Detria; J.D., Liberty University'
  ➜ Skipping stray line: 'Neely, Cecil; MBA, University of North Carolina at Greensboro'
  ➜ Skipping stray line: 'Nelms, Linda; Ph.D., Capella University'
  ➜ Skipping stray line: 'Nelson, Camille; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'O’Brien, Joseph; Ed.D., George Washington University'
  ➜ Skipping stray line: 'Openshaw, Matthew; Ph.D., University of Texas at Dallas'
  ➜ Skipping stray line: 'Parish, Beth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Patterson, Julie; Ph.D., University of Illinois at Urbana-Champaign'
  ➜ Skipping stray line: 'Pawarski, Richard; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Phillips, Patti; J.D., Stetson University'
  ➜ Skipping stray line: 'Pratt, Christopher; DHA, University of Phoenix'
  ➜ Skipping stray line: 'Raimo, Steve; DSL, Regent University'
  ➜ Skipping stray line: 'Richardson, Shay; DBA, Walden University'
  ➜ Skipping stray line: 'Roberts, Tracia; M.S., University of Phoenix'
  ➜ Skipping stray line: 'Roberts, Wade; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Rogers, Katie; MBA, University of Utah'
  ➜ Skipping stray line: 'Sawant, Gauri; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Shah, Rob; MBA, DeVry University'
  ➜ Skipping stray line: 'Shepherd, Tracie; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Skinner, Susan; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Snipes, Dawna; J.D., Western Michigan University'
  ➜ Skipping stray line: 'Souder, Michele; MBA, University of Dayton'
  ➜ Skipping stray line: 'Spicer, Ronald; Ph.D., Capella University'
  ➜ Skipping stray line: 'Stewart, Michelle; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Strickland, Cynthia; Ph.D., Touro University International'
  ➜ Skipping stray line: 'Swarthout, Nanette; MBA, Fontbonne University'
  ➜ Skipping stray line: 'Tapp, Timothy; MHA, Washington University'
  ➜ Skipping stray line: 'Thomas, Melanie; J.D., University of North Carolina'
  ➜ Skipping stray line: 'Venkateswar, Sankaran; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Wachter, Eddie; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Wade, Keith; MBA, University of Detroit'
  ➜ Skipping stray line: 'Walker, Natalie; DBA, Keiser University'
  ➜ Skipping stray line: 'Wang, Xiaofei; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Williams, Pegeen; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Williams, Rian; MPA, University of Utah'
  ➜ Skipping stray line: 'Wood, Carrie; M.S., Strayer University'
  ➜ Skipping stray line: 'College of Information Technology'
  ➜ Skipping stray line: 'Al-Husaam, Abdul; Ph.D., Capella University'
  ➜ Skipping stray line: 'Alberici, Mary; Ph.D., University of Missouri-St. Louis'
  ➜ Skipping stray line: 'Allen, Candice; M.A., Capella University'
  ➜ Skipping stray line: 'Antonucci, Amy; M.S., University of Delaware'
  ➜ Skipping stray line: 'Banerjee, Pubali; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'Beverley, Charles; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Blanson, Constance; Ph.D., Capella University'
  ➜ Skipping stray line: 'Bojonny, John; M.S., Marywood University'
  ➜ Skipping stray line: 'Borsum, Pamela; MBA, Western Governors University'
  ➜ Skipping stray line: 'Campbell, Wendy; DBA, Northcentral University'
  ➜ Skipping stray line: 'Carter, Betty; M.S., Troy University'
  ➜ Skipping stray line: 'Cobbs, Dana; M.S., College of William and Mary'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 182'
  ➜ Skipping stray line: 'Cook, Henry; M.S., Clark Atlanta University'
  ➜ Skipping stray line: 'Crawford, Demetria; M.S., Boston University'
  ➜ Skipping stray line: 'Dupree, Yolanda; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Farmer, Jaynee; M.A., University of Arkansas at Little Rock'
  ➜ Skipping stray line: 'Ferdinand, Jeff; M.S., Trident University International'
  ➜ Skipping stray line: 'Gardner, Diana; MBA, Western Governors University'
  ➜ Skipping stray line: 'Garza, Brian; M.S., Western Governors University'
  ➜ Skipping stray line: 'Goodwin, Orenthio; Ph.D., Capella University'
  ➜ Skipping stray line: 'Heiner, Jenny; M.S., Capitol College'
  ➜ Skipping stray line: 'Huff, David; Ph.D., Wayne State University'
  ➜ Skipping stray line: 'Jensen, Bryan; M.S., Bellvue University'
  ➜ Skipping stray line: 'Kercher, Paul; M.S., Missouri University of Science and Technology'
  ➜ Skipping stray line: 'LaMolinare, Deana; M.S., Duquesne University'
  ➜ Skipping stray line: 'Lang, Cythia; MSCHe, University of Maryland'
  ➜ Skipping stray line: 'Lavieri, Edward; DCS, Colorado Technical University'
  ➜ Skipping stray line: 'Light, Gerri; M.S., Walden University'
  ➜ Skipping stray line: 'Lively, Charles; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'McFarlane, Michele; M.S., DeVry University'
  ➜ Skipping stray line: 'McLaughlin, Mike; M.S., University of Maine'
  ➜ Skipping stray line: 'Mendell, Ronald; M.S., Capitol College'
  ➜ Skipping stray line: 'Milham, Thomas; MNCM, DeVry University'
  ➜ Skipping stray line: 'Moore, Ronald; M.A., Troy University'
  ➜ Skipping stray line: 'Morrill, Ralph; Ph.D., North Central University'
  ➜ Skipping stray line: 'Ntinglet-Davis, Emelda; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Ozmer, Connie; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Paddock, Charles; Ph.D., University of Houston'
  ➜ Skipping stray line: 'Peterson, Michael; Ph.D., Capella University'
  ➜ Skipping stray line: 'Pinaire, Ken; MBA, University of Texas at Dallas'
  ➜ Skipping stray line: 'Rawlinson, David; J.D., South Texas College of Law'
  ➜ Skipping stray line: 'Schaefer, Brett; MBA, DeVry University'
  ➜ Skipping stray line: 'Shenk, Maria; M.S., City University of Seattle'
  ➜ Skipping stray line: 'Scutro, Rebecca; M.S., Saint Joseph’s University'
  ➜ Skipping stray line: 'Sewell, William; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Sher-DeCusatis, Carolyn; M.A., State University of New York at Stony Brook'
  ➜ Skipping stray line: 'Shields, Jessica; MFA, Savannah College of Art and Design'
  ➜ Skipping stray line: 'Sistelos, Antonio; Ph.D., Indiana State University'
  ➜ Skipping stray line: 'Stromberg, Scott; M.S., Nova Southeastern University'
  ➜ Skipping stray line: 'Swanson, Tom; Ph.D., Capella University'
  ➜ Skipping stray line: 'Taylor, Julinda; M.S., Wichita State University'
  ➜ Skipping stray line: 'Travis, Susan; M.A., University of Phoenix'
  ➜ Skipping stray line: 'College of Health Professions'
  ➜ Skipping stray line: 'Abdur-Rahman, Veronica; Ph.D., Texas Woman’s University'
  ➜ Skipping stray line: 'Abee, Debra; M.S., University of North Carolina Greensboro'
  ➜ Skipping stray line: 'Abraham, Gail; MSN/ED, University of Phoenix'
  ➜ Skipping stray line: 'Adams, Lora; M.S., Michigan State University'
  ➜ Skipping stray line: 'Adkins, Dee; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Allen, Juanita; DNP, University of Utah'
  ➜ Skipping stray line: 'Ashby, Shelley; DNP, University of Southern Indiana'
  ➜ Skipping stray line: 'Austgen, Donna; M.S., University of Indianapolis'
  ➜ Skipping stray line: 'Barber, Kendar; M.S., Indiana University'
  ➜ Skipping stray line: 'Battle, Linda; DNP, Regis College'
  ➜ Skipping stray line: 'Benoit, Heidi; M.S., Western Governors University'
  ➜ Skipping stray line: 'Benson, Johnett; DNP, Kent State University'
  ➜ Skipping stray line: 'Bergfeld, Marcia; M.S., Lourdes College'
  ➜ Skipping stray line: 'Berndt, Janeen; DNP, Valparaiso University'
  ➜ Skipping stray line: 'Blaine, Stephanie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Cain, Lyn; Ph.D., Grand Canyon University'
  ➜ Skipping stray line: 'Carney, Mary; DNP, Touro University – Nevada'
  ➜ Skipping stray line: 'Chau-Nguyen, Thao; MPH, Tulane University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 183'
  ➜ Skipping stray line: 'Cleveland, Melissa; DNP, Rocky Mountain University'
  ➜ Skipping stray line: 'Cloonan, Kelly; DNP, Case Western Reserve'
  ➜ Skipping stray line: 'Dahdal, Kimberly; M.S., Western Governors University'
  ➜ Skipping stray line: 'Dantzler, Barbara; Ph.D., Trident University'
  ➜ Skipping stray line: 'Diaz, Constance; Ph.D., University of Northern Colorado'
  ➜ Skipping stray line: 'Diaz, Lorna; DNP, Western University of Health Sciences'
  ➜ Skipping stray line: 'Dorin, Michelle; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Dush, Curtis; M.S., East Tennessee State University'
  ➜ Skipping stray line: 'Elmer, Justine; M.S., Kaplan University'
  ➜ Skipping stray line: 'Englert, Mary; DNP, University of North Florida'
  ➜ Skipping stray line: 'Feather, Rebecca; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Frankie, Sandra; M.S., Western Governors University'
  ➜ Skipping stray line: 'Gabel, Ann; M.S., University of Kansas'
  ➜ Skipping stray line: 'Gayol, Marcos; M.S., Aspen University'
  ➜ Skipping stray line: 'Giaquinto, Elisa; M.A., Brown University'
  ➜ Skipping stray line: 'Gogatz, Debra; DNP, Regis University'
  ➜ Skipping stray line: 'Golden, Christina; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Gottesfeld, Ilene; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Gwyn, Elizabeth; M.S., Winston Salem State University'
  ➜ Skipping stray line: 'Hadsell, Christine; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Hansen, Julie; Ph.D., South Dakota State University'
  ➜ Skipping stray line: 'Hartley-Clanton, Patricia; M.S., University of Utah'
  ➜ Skipping stray line: 'Hawkins, Shannon; M.S., Walden University'
  ➜ Skipping stray line: 'Heyer-Schmidt, Theres-Anne; ND, University of Colorado-Denver'
  ➜ Skipping stray line: 'Hill, Dana; Ph.D., Walden University'
  ➜ Skipping stray line: 'Hunt, Eleanor; M.S., Duke University'
  ➜ Skipping stray line: 'Johnson-Anderson, Heidi; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Kangas, Sandra; Ph.D., Georgia State University'
  ➜ Skipping stray line: 'Kogan, Lisa; M.S., Western Governors University'
  ➜ Skipping stray line: 'Langer Atkinson, Heidi; Ph.D., University of Albany'
  ➜ Skipping stray line: 'Lashlee, Marilyn; DNP, Northeastern University'
  ➜ Skipping stray line: 'Long, Jennifer; M.S., Indiana University'
  ➜ Skipping stray line: 'Marshall, Janet; Ph.D., Rush University'
  ➜ Title candidate: 'Masterson, Debra; Ed.D., Liberty University'
  ✔️ Collected description (40 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 5922: 'C572 - Classroom Management, Engagement, and Motivation - Students will learn the foundations for effective classroom management as well as'

🔍 parse_program: starting at line 5922: 'C572 - Classroom Management, Engagement, and Motivation - Students will learn the foundations for effective classroom management as well as'
  ➜ Title candidate: 'C572 - Classroom Management, Engagement, and Motivation - Students will learn the foundations for effective classroom management as well as'
  ❌ Invalid title line: 'C572 - Classroom Management, Engagement, and Motivation - Students will learn the foundations for effective classroom management as well as'
  ➜ Parsing at 5923: 'strategies for creating a safe, positive learning environment for all learners. Students will be introduced to systems that promote student self-'

🔍 parse_program: starting at line 5923: 'strategies for creating a safe, positive learning environment for all learners. Students will be introduced to systems that promote student self-'
  ➜ Title candidate: 'strategies for creating a safe, positive learning environment for all learners. Students will be introduced to systems that promote student self-'
  ❌ Invalid title line: 'strategies for creating a safe, positive learning environment for all learners. Students will be introduced to systems that promote student self-'
  ➜ Parsing at 5924: 'awareness, self-management, self-efficacy, and self-esteem. In this course, students will engage practical application via 10 hours of video classroom'

🔍 parse_program: starting at line 5924: 'awareness, self-management, self-efficacy, and self-esteem. In this course, students will engage practical application via 10 hours of video classroom'
  ➜ Title candidate: 'awareness, self-management, self-efficacy, and self-esteem. In this course, students will engage practical application via 10 hours of video classroom'
  ❌ Invalid title line: 'awareness, self-management, self-efficacy, and self-esteem. In this course, students will engage practical application via 10 hours of video classroom'
  ➜ Parsing at 5925: 'observations. Students will reflect on how teachers use rules/procedures to maximize student learning and on what makes a highly effective'

🔍 parse_program: starting at line 5925: 'observations. Students will reflect on how teachers use rules/procedures to maximize student learning and on what makes a highly effective'
  ➜ Title candidate: 'observations. Students will reflect on how teachers use rules/procedures to maximize student learning and on what makes a highly effective'
  ❌ Invalid title line: 'observations. Students will reflect on how teachers use rules/procedures to maximize student learning and on what makes a highly effective'
  ➜ Parsing at 5926: 'classroom environment. As part of a culminating experience in this course, students will, through the video observation reflections, describe their'

🔍 parse_program: starting at line 5926: 'classroom environment. As part of a culminating experience in this course, students will, through the video observation reflections, describe their'
  ➜ Title candidate: 'classroom environment. As part of a culminating experience in this course, students will, through the video observation reflections, describe their'
  ❌ Invalid title line: 'classroom environment. As part of a culminating experience in this course, students will, through the video observation reflections, describe their'
  ➜ Parsing at 5927: 'current teaching philosophy related to classroom environment and management.'

🔍 parse_program: starting at line 5927: 'current teaching philosophy related to classroom environment and management.'
  ➜ Title candidate: 'current teaching philosophy related to classroom environment and management.'
  ❌ Invalid title line: 'current teaching philosophy related to classroom environment and management.'
  ➜ Parsing at 5928: 'C612 - Mathematics: Content Knowledge - Mathematics: Content Knowledge is designed to help candidates refine and integrate the mathematics'

🔍 parse_program: starting at line 5928: 'C612 - Mathematics: Content Knowledge - Mathematics: Content Knowledge is designed to help candidates refine and integrate the mathematics'
  ➜ Title candidate: 'C612 - Mathematics: Content Knowledge - Mathematics: Content Knowledge is designed to help candidates refine and integrate the mathematics'
  ❌ Invalid title line: 'C612 - Mathematics: Content Knowledge - Mathematics: Content Knowledge is designed to help candidates refine and integrate the mathematics'
  ➜ Parsing at 5929: 'content knowledge and skills necessary to become successful secondary mathematics teachers. A high level of mathematical reasoning skills and the'

🔍 parse_program: starting at line 5929: 'content knowledge and skills necessary to become successful secondary mathematics teachers. A high level of mathematical reasoning skills and the'
  ➜ Title candidate: 'content knowledge and skills necessary to become successful secondary mathematics teachers. A high level of mathematical reasoning skills and the'
  ❌ Invalid title line: 'content knowledge and skills necessary to become successful secondary mathematics teachers. A high level of mathematical reasoning skills and the'
  ➜ Parsing at 5930: 'ability to solve problems are necessary to complete this course. Prerequisites for this course are College Geometry, Probability and Statistics I, and'

🔍 parse_program: starting at line 5930: 'ability to solve problems are necessary to complete this course. Prerequisites for this course are College Geometry, Probability and Statistics I, and'
  ➜ Title candidate: 'ability to solve problems are necessary to complete this course. Prerequisites for this course are College Geometry, Probability and Statistics I, and'
  ❌ Invalid title line: 'ability to solve problems are necessary to complete this course. Prerequisites for this course are College Geometry, Probability and Statistics I, and'
  ➜ Parsing at 5931: 'Pre-Calculus.'

🔍 parse_program: starting at line 5931: 'Pre-Calculus.'
  ➜ Title candidate: 'Pre-Calculus.'
  ❌ Invalid title line: 'Pre-Calculus.'
  ➜ Parsing at 5932: 'C613 - Middle School Mathematics: Content Knowledge - Mathematics: Middle School Content Knowledge is designed to help candidates refine'

🔍 parse_program: starting at line 5932: 'C613 - Middle School Mathematics: Content Knowledge - Mathematics: Middle School Content Knowledge is designed to help candidates refine'
  ➜ Title candidate: 'C613 - Middle School Mathematics: Content Knowledge - Mathematics: Middle School Content Knowledge is designed to help candidates refine'
  ❌ Invalid title line: 'C613 - Middle School Mathematics: Content Knowledge - Mathematics: Middle School Content Knowledge is designed to help candidates refine'
  ➜ Parsing at 5933: 'and integrate the mathematics content knowledge and skills necessary to become successful middle school mathematics teachers. A high level of'

🔍 parse_program: starting at line 5933: 'and integrate the mathematics content knowledge and skills necessary to become successful middle school mathematics teachers. A high level of'
  ➜ Title candidate: 'and integrate the mathematics content knowledge and skills necessary to become successful middle school mathematics teachers. A high level of'
  ❌ Invalid title line: 'and integrate the mathematics content knowledge and skills necessary to become successful middle school mathematics teachers. A high level of'
  ➜ Parsing at 5934: 'mathematical reasoning skills and the ability to solve problems are necessary to complete this course. Prerequisites for this course are College'

🔍 parse_program: starting at line 5934: 'mathematical reasoning skills and the ability to solve problems are necessary to complete this course. Prerequisites for this course are College'
  ➜ Title candidate: 'mathematical reasoning skills and the ability to solve problems are necessary to complete this course. Prerequisites for this course are College'
  ❌ Invalid title line: 'mathematical reasoning skills and the ability to solve problems are necessary to complete this course. Prerequisites for this course are College'
  ➜ Parsing at 5935: 'Geometry, Probability and Statistics I, and Pre-Calculus.'

🔍 parse_program: starting at line 5935: 'Geometry, Probability and Statistics I, and Pre-Calculus.'
  ➜ Title candidate: 'Geometry, Probability and Statistics I, and Pre-Calculus.'
  ❌ Invalid title line: 'Geometry, Probability and Statistics I, and Pre-Calculus.'
  ➜ Parsing at 5936: 'C614 - Biology: Content Knowledge - This comprehensive course examines a student’s conceptual understanding of a broad range of biology'

🔍 parse_program: starting at line 5936: 'C614 - Biology: Content Knowledge - This comprehensive course examines a student’s conceptual understanding of a broad range of biology'
  ➜ Title candidate: 'C614 - Biology: Content Knowledge - This comprehensive course examines a student’s conceptual understanding of a broad range of biology'
  ❌ Invalid title line: 'C614 - Biology: Content Knowledge - This comprehensive course examines a student’s conceptual understanding of a broad range of biology'
  ➜ Parsing at 5937: 'topics. High school biology teachers must help students make connections between isolated topics. For example, when studying hormones created by'

🔍 parse_program: starting at line 5937: 'topics. High school biology teachers must help students make connections between isolated topics. For example, when studying hormones created by'
  ➜ Title candidate: 'topics. High school biology teachers must help students make connections between isolated topics. For example, when studying hormones created by'
  ❌ Invalid title line: 'topics. High school biology teachers must help students make connections between isolated topics. For example, when studying hormones created by'
  ➜ Parsing at 5938: 'endocrine glands traveling through the circulatory system to maintain homeostasis, a student is connecting many biology topics. This course starts'

🔍 parse_program: starting at line 5938: 'endocrine glands traveling through the circulatory system to maintain homeostasis, a student is connecting many biology topics. This course starts'
  ➜ Title candidate: 'endocrine glands traveling through the circulatory system to maintain homeostasis, a student is connecting many biology topics. This course starts'
  ❌ Invalid title line: 'endocrine glands traveling through the circulatory system to maintain homeostasis, a student is connecting many biology topics. This course starts'
  ➜ Parsing at 5939: 'with macromolecules that make up cellular components and continues with understanding the many cellular processes that allow life to exist.'

🔍 parse_program: starting at line 5939: 'with macromolecules that make up cellular components and continues with understanding the many cellular processes that allow life to exist.'
  ➜ Title candidate: 'with macromolecules that make up cellular components and continues with understanding the many cellular processes that allow life to exist.'
  ❌ Invalid title line: 'with macromolecules that make up cellular components and continues with understanding the many cellular processes that allow life to exist.'
  ➜ Parsing at 5940: 'Connections are then made between genetics and evolution. Classification of organisms leads into plant and animal development that study the organ'

🔍 parse_program: starting at line 5940: 'Connections are then made between genetics and evolution. Classification of organisms leads into plant and animal development that study the organ'
  ➜ Title candidate: 'Connections are then made between genetics and evolution. Classification of organisms leads into plant and animal development that study the organ'
  ❌ Invalid title line: 'Connections are then made between genetics and evolution. Classification of organisms leads into plant and animal development that study the organ'
  ➜ Parsing at 5941: 'systems and their role in maintaining homeostasis. The course finishes by studying ecology and the affect humans have on the environment.'

🔍 parse_program: starting at line 5941: 'systems and their role in maintaining homeostasis. The course finishes by studying ecology and the affect humans have on the environment.'
  ➜ Title candidate: 'systems and their role in maintaining homeostasis. The course finishes by studying ecology and the affect humans have on the environment.'
  ❌ Invalid title line: 'systems and their role in maintaining homeostasis. The course finishes by studying ecology and the affect humans have on the environment.'
  ➜ Parsing at 5942: 'C615 - Physics: Content Knowledge - Physics: Content Knowledge covers the advanced content knowledge that a secondary physics teacher is'

🔍 parse_program: starting at line 5942: 'C615 - Physics: Content Knowledge - Physics: Content Knowledge covers the advanced content knowledge that a secondary physics teacher is'
  ➜ Title candidate: 'C615 - Physics: Content Knowledge - Physics: Content Knowledge covers the advanced content knowledge that a secondary physics teacher is'
  ❌ Invalid title line: 'C615 - Physics: Content Knowledge - Physics: Content Knowledge covers the advanced content knowledge that a secondary physics teacher is'
  ➜ Parsing at 5943: 'expected to know and understand. Topics include mechanics, electricity and magnetism, optics and waves, heat and thermodynamics, modern'

🔍 parse_program: starting at line 5943: 'expected to know and understand. Topics include mechanics, electricity and magnetism, optics and waves, heat and thermodynamics, modern'
  ➜ Title candidate: 'expected to know and understand. Topics include mechanics, electricity and magnetism, optics and waves, heat and thermodynamics, modern'
  ❌ Invalid title line: 'expected to know and understand. Topics include mechanics, electricity and magnetism, optics and waves, heat and thermodynamics, modern'
  ➜ Parsing at 5944: 'physics, atomic and nuclear structure, the history and nature of science, science technology, and social perspectives.'

🔍 parse_program: starting at line 5944: 'physics, atomic and nuclear structure, the history and nature of science, science technology, and social perspectives.'
  ➜ Title candidate: 'physics, atomic and nuclear structure, the history and nature of science, science technology, and social perspectives.'
  ❌ Invalid title line: 'physics, atomic and nuclear structure, the history and nature of science, science technology, and social perspectives.'
  ➜ Parsing at 5945: 'C616 - Middle School Science: Content Knowledge - This course covers the content knowledge that a middle-level science teacher is expected to'

🔍 parse_program: starting at line 5945: 'C616 - Middle School Science: Content Knowledge - This course covers the content knowledge that a middle-level science teacher is expected to'
  ➜ Title candidate: 'C616 - Middle School Science: Content Knowledge - This course covers the content knowledge that a middle-level science teacher is expected to'
  ❌ Invalid title line: 'C616 - Middle School Science: Content Knowledge - This course covers the content knowledge that a middle-level science teacher is expected to'
  ➜ Parsing at 5946: 'know and understand. Topics include scientific methodologies, history of science, basic science principles, physical sciences, life sciences, earth and'

🔍 parse_program: starting at line 5946: 'know and understand. Topics include scientific methodologies, history of science, basic science principles, physical sciences, life sciences, earth and'
  ➜ Title candidate: 'know and understand. Topics include scientific methodologies, history of science, basic science principles, physical sciences, life sciences, earth and'
  ❌ Invalid title line: 'know and understand. Topics include scientific methodologies, history of science, basic science principles, physical sciences, life sciences, earth and'
  ➜ Parsing at 5947: 'space sciences, and the role of science and technology and their impact on society.'

🔍 parse_program: starting at line 5947: 'space sciences, and the role of science and technology and their impact on society.'
  ➜ Title candidate: 'space sciences, and the role of science and technology and their impact on society.'
  ❌ Invalid title line: 'space sciences, and the role of science and technology and their impact on society.'
  ➜ Parsing at 5948: 'C617 - Chemistry: Content Knowledge - Chemistry: Content Knowledge provides advanced instruction in the main areas of chemistry for which'

🔍 parse_program: starting at line 5948: 'C617 - Chemistry: Content Knowledge - Chemistry: Content Knowledge provides advanced instruction in the main areas of chemistry for which'
  ➜ Title candidate: 'C617 - Chemistry: Content Knowledge - Chemistry: Content Knowledge provides advanced instruction in the main areas of chemistry for which'
  ❌ Invalid title line: 'C617 - Chemistry: Content Knowledge - Chemistry: Content Knowledge provides advanced instruction in the main areas of chemistry for which'
  ➜ Parsing at 5949: 'secondary chemistry teachers are expected to demonstrate competency. Topics include matter and energy, thermochemistry, structure, bonding,'

🔍 parse_program: starting at line 5949: 'secondary chemistry teachers are expected to demonstrate competency. Topics include matter and energy, thermochemistry, structure, bonding,'
  ➜ Title candidate: 'secondary chemistry teachers are expected to demonstrate competency. Topics include matter and energy, thermochemistry, structure, bonding,'
  ❌ Invalid title line: 'secondary chemistry teachers are expected to demonstrate competency. Topics include matter and energy, thermochemistry, structure, bonding,'
  ➜ Parsing at 5950: 'reactivity, biochemistry and organic chemistry, solutions, nature of science, technology and social perspectives, mathematics, and laboratory'

🔍 parse_program: starting at line 5950: 'reactivity, biochemistry and organic chemistry, solutions, nature of science, technology and social perspectives, mathematics, and laboratory'
  ➜ Title candidate: 'reactivity, biochemistry and organic chemistry, solutions, nature of science, technology and social perspectives, mathematics, and laboratory'
  ❌ Invalid title line: 'reactivity, biochemistry and organic chemistry, solutions, nature of science, technology and social perspectives, mathematics, and laboratory'
  ➜ Parsing at 5951: 'procedures.'

🔍 parse_program: starting at line 5951: 'procedures.'
  ➜ Title candidate: 'procedures.'
  ❌ Invalid title line: 'procedures.'
  ➜ Parsing at 5952: 'C618 - Earth Science: Content Knowledge - This course covers the advanced content knowledge that a secondary earth/space science teacher'

🔍 parse_program: starting at line 5952: 'C618 - Earth Science: Content Knowledge - This course covers the advanced content knowledge that a secondary earth/space science teacher'
  ➜ Title candidate: 'C618 - Earth Science: Content Knowledge - This course covers the advanced content knowledge that a secondary earth/space science teacher'
  ❌ Invalid title line: 'C618 - Earth Science: Content Knowledge - This course covers the advanced content knowledge that a secondary earth/space science teacher'
  ➜ Parsing at 5953: 'is expected to know and understand. Topics include basic scientific principles of earth and'

🔍 parse_program: starting at line 5953: 'is expected to know and understand. Topics include basic scientific principles of earth and'
  ➜ Title candidate: 'is expected to know and understand. Topics include basic scientific principles of earth and'
  ❌ Invalid title line: 'is expected to know and understand. Topics include basic scientific principles of earth and'
  ➜ Parsing at 5954: 'space sciences, tectonics and internal earth processes, earth materials and surface'

🔍 parse_program: starting at line 5954: 'space sciences, tectonics and internal earth processes, earth materials and surface'
  ➜ Title candidate: 'space sciences, tectonics and internal earth processes, earth materials and surface'
  ❌ Invalid title line: 'space sciences, tectonics and internal earth processes, earth materials and surface'
  ➜ Parsing at 5955: 'processes, history of Earth and its life-forms, Earth's atmosphere and hydrosphere, and'

🔍 parse_program: starting at line 5955: 'processes, history of Earth and its life-forms, Earth's atmosphere and hydrosphere, and'
  ➜ Title candidate: 'processes, history of Earth and its life-forms, Earth's atmosphere and hydrosphere, and'
  ❌ Invalid title line: 'processes, history of Earth and its life-forms, Earth's atmosphere and hydrosphere, and'
  ➜ Parsing at 5956: 'astronomy.'

🔍 parse_program: starting at line 5956: 'astronomy.'
  ➜ Title candidate: 'astronomy.'
  ❌ Invalid title line: 'astronomy.'
  ➜ Parsing at 5957: 'C624 - Biochemistry - Biochemistry covers the structure and function of the four major polymers produced by living organisms. These include nucleic'

🔍 parse_program: starting at line 5957: 'C624 - Biochemistry - Biochemistry covers the structure and function of the four major polymers produced by living organisms. These include nucleic'
  ➜ Title candidate: 'C624 - Biochemistry - Biochemistry covers the structure and function of the four major polymers produced by living organisms. These include nucleic'
  ❌ Invalid title line: 'C624 - Biochemistry - Biochemistry covers the structure and function of the four major polymers produced by living organisms. These include nucleic'
  ➜ Parsing at 5958: 'acids, proteins, carbohydrates, and lipids. This course focuses on application! Be sure to understand the underlying biochemistry in order to grasp how'

🔍 parse_program: starting at line 5958: 'acids, proteins, carbohydrates, and lipids. This course focuses on application! Be sure to understand the underlying biochemistry in order to grasp how'
  ➜ Title candidate: 'acids, proteins, carbohydrates, and lipids. This course focuses on application! Be sure to understand the underlying biochemistry in order to grasp how'
  ❌ Invalid title line: 'acids, proteins, carbohydrates, and lipids. This course focuses on application! Be sure to understand the underlying biochemistry in order to grasp how'
  ➜ Parsing at 5959: 'it is applied. By successfully completing this course, you will gain an introductory understanding of the chemicals and reactions that sustain life. You'

🔍 parse_program: starting at line 5959: 'it is applied. By successfully completing this course, you will gain an introductory understanding of the chemicals and reactions that sustain life. You'
  ➜ Title candidate: 'it is applied. By successfully completing this course, you will gain an introductory understanding of the chemicals and reactions that sustain life. You'
  ❌ Invalid title line: 'it is applied. By successfully completing this course, you will gain an introductory understanding of the chemicals and reactions that sustain life. You'
  ➜ Parsing at 5960: 'will also begin to see the importance of this subject matter to health.'

🔍 parse_program: starting at line 5960: 'will also begin to see the importance of this subject matter to health.'
  ➜ Title candidate: 'will also begin to see the importance of this subject matter to health.'
  ❌ Invalid title line: 'will also begin to see the importance of this subject matter to health.'
  ➜ Parsing at 5961: 'C625 - Biochemistry - Biochemistry covers the structure and function of the four major polymers produced by living organisms. These include nucleic'

🔍 parse_program: starting at line 5961: 'C625 - Biochemistry - Biochemistry covers the structure and function of the four major polymers produced by living organisms. These include nucleic'
  ➜ Title candidate: 'C625 - Biochemistry - Biochemistry covers the structure and function of the four major polymers produced by living organisms. These include nucleic'
  ❌ Invalid title line: 'C625 - Biochemistry - Biochemistry covers the structure and function of the four major polymers produced by living organisms. These include nucleic'
  ➜ Parsing at 5962: 'acids, proteins, carbohydrates, and lipids.'

🔍 parse_program: starting at line 5962: 'acids, proteins, carbohydrates, and lipids.'
  ➜ Title candidate: 'acids, proteins, carbohydrates, and lipids.'
  ❌ Invalid title line: 'acids, proteins, carbohydrates, and lipids.'
  ➜ Parsing at 5963: 'This course focuses on application! Be sure to understand the underlying biochemistry in order to grasp how it is applied. By successfully completing'

🔍 parse_program: starting at line 5963: 'This course focuses on application! Be sure to understand the underlying biochemistry in order to grasp how it is applied. By successfully completing'
  ➜ Title candidate: 'This course focuses on application! Be sure to understand the underlying biochemistry in order to grasp how it is applied. By successfully completing'
  ❌ Invalid title line: 'This course focuses on application! Be sure to understand the underlying biochemistry in order to grasp how it is applied. By successfully completing'
  ➜ Parsing at 5964: 'this course, you will gain an introductory understanding of the chemicals and reactions that sustain life. You will also begin to see the importance of'

🔍 parse_program: starting at line 5964: 'this course, you will gain an introductory understanding of the chemicals and reactions that sustain life. You will also begin to see the importance of'
  ➜ Title candidate: 'this course, you will gain an introductory understanding of the chemicals and reactions that sustain life. You will also begin to see the importance of'
  ❌ Invalid title line: 'this course, you will gain an introductory understanding of the chemicals and reactions that sustain life. You will also begin to see the importance of'
  ➜ Parsing at 5965: 'this subject matter to health.'

🔍 parse_program: starting at line 5965: 'this subject matter to health.'
  ➜ Title candidate: 'this subject matter to health.'
  ❌ Invalid title line: 'this subject matter to health.'
  ➜ Parsing at 5966: 'C626 - MED, Learning and Technology Capstone - MED, Learning and Technology Capstone takes the student through the steps of planning and'

🔍 parse_program: starting at line 5966: 'C626 - MED, Learning and Technology Capstone - MED, Learning and Technology Capstone takes the student through the steps of planning and'
  ➜ Title candidate: 'C626 - MED, Learning and Technology Capstone - MED, Learning and Technology Capstone takes the student through the steps of planning and'
  ❌ Invalid title line: 'C626 - MED, Learning and Technology Capstone - MED, Learning and Technology Capstone takes the student through the steps of planning and'
  ➜ Parsing at 5967: 'conducting research on a topic or issue related to the students' practice setting. Students will design, manage, and develop an instructional product for'

🔍 parse_program: starting at line 5967: 'conducting research on a topic or issue related to the students' practice setting. Students will design, manage, and develop an instructional product for'
  ➜ Title candidate: 'conducting research on a topic or issue related to the students' practice setting. Students will design, manage, and develop an instructional product for'
  ❌ Invalid title line: 'conducting research on a topic or issue related to the students' practice setting. Students will design, manage, and develop an instructional product for'
  ➜ Parsing at 5968: 'which there is an identified need, including sections describing a literature review, methodology, and detailed analysis and reporting of results.'

🔍 parse_program: starting at line 5968: 'which there is an identified need, including sections describing a literature review, methodology, and detailed analysis and reporting of results.'
  ➜ Title candidate: 'which there is an identified need, including sections describing a literature review, methodology, and detailed analysis and reporting of results.'
  ❌ Invalid title line: 'which there is an identified need, including sections describing a literature review, methodology, and detailed analysis and reporting of results.'
  ➜ Parsing at 5969: 'C635 - MA, Mathematics Education (K-6) Capstone - MA, Mathematics Education (K-6) Capstone Written Project takes the student through the'

🔍 parse_program: starting at line 5969: 'C635 - MA, Mathematics Education (K-6) Capstone - MA, Mathematics Education (K-6) Capstone Written Project takes the student through the'
  ➜ Title candidate: 'C635 - MA, Mathematics Education (K-6) Capstone - MA, Mathematics Education (K-6) Capstone Written Project takes the student through the'
  ❌ Invalid title line: 'C635 - MA, Mathematics Education (K-6) Capstone - MA, Mathematics Education (K-6) Capstone Written Project takes the student through the'
  ➜ Parsing at 5970: 'steps of planning and conducting research on a topic or issue related to the students' practice setting. The result is expected to be a significant piece'

🔍 parse_program: starting at line 5970: 'steps of planning and conducting research on a topic or issue related to the students' practice setting. The result is expected to be a significant piece'
  ➜ Title candidate: 'steps of planning and conducting research on a topic or issue related to the students' practice setting. The result is expected to be a significant piece'
  ❌ Invalid title line: 'steps of planning and conducting research on a topic or issue related to the students' practice setting. The result is expected to be a significant piece'
  ➜ Parsing at 5971: 'of research, culminating in a written research report, including sections describing a literature review, methodology, and detailed analysis and'

🔍 parse_program: starting at line 5971: 'of research, culminating in a written research report, including sections describing a literature review, methodology, and detailed analysis and'
  ➜ Title candidate: 'of research, culminating in a written research report, including sections describing a literature review, methodology, and detailed analysis and'
  ❌ Invalid title line: 'of research, culminating in a written research report, including sections describing a literature review, methodology, and detailed analysis and'
  ➜ Parsing at 5972: 'reporting of results.'

🔍 parse_program: starting at line 5972: 'reporting of results.'
  ➜ Title candidate: 'reporting of results.'
  ❌ Invalid title line: 'reporting of results.'
  ➜ Parsing at 5973: 'C636 - MED, Instructional Design Capstone - MED, Instructional Design Capstone Written Project is the culminating assessment where learners'

🔍 parse_program: starting at line 5973: 'C636 - MED, Instructional Design Capstone - MED, Instructional Design Capstone Written Project is the culminating assessment where learners'
  ➜ Title candidate: 'C636 - MED, Instructional Design Capstone - MED, Instructional Design Capstone Written Project is the culminating assessment where learners'
  ❌ Invalid title line: 'C636 - MED, Instructional Design Capstone - MED, Instructional Design Capstone Written Project is the culminating assessment where learners'
  ➜ Parsing at 5974: 'should be able to integrate and synthesize competencies from across the degree program and thereby demonstrate the ability to participate in and'

🔍 parse_program: starting at line 5974: 'should be able to integrate and synthesize competencies from across the degree program and thereby demonstrate the ability to participate in and'
  ➜ Title candidate: 'should be able to integrate and synthesize competencies from across the degree program and thereby demonstrate the ability to participate in and'
  ❌ Invalid title line: 'should be able to integrate and synthesize competencies from across the degree program and thereby demonstrate the ability to participate in and'
  ➜ Parsing at 5975: 'contribute value to their chosen professional field.'

🔍 parse_program: starting at line 5975: 'contribute value to their chosen professional field.'
  ➜ Title candidate: 'contribute value to their chosen professional field.'
  ❌ Invalid title line: 'contribute value to their chosen professional field.'
  ➜ Parsing at 5976: 'C645 - Science Methods - Science Methods provides graduate students seeking additional licensure or endorsement in the sciences for grades 5-12'

🔍 parse_program: starting at line 5976: 'C645 - Science Methods - Science Methods provides graduate students seeking additional licensure or endorsement in the sciences for grades 5-12'
  ➜ Title candidate: 'C645 - Science Methods - Science Methods provides graduate students seeking additional licensure or endorsement in the sciences for grades 5-12'
  ❌ Invalid title line: 'C645 - Science Methods - Science Methods provides graduate students seeking additional licensure or endorsement in the sciences for grades 5-12'
  ➜ Parsing at 5977: 'with an introduction to science teaching methods and laboratory safety training. Course content focuses on designing and teaching with the three'

🔍 parse_program: starting at line 5977: 'with an introduction to science teaching methods and laboratory safety training. Course content focuses on designing and teaching with the three'
  ➜ Title candidate: 'with an introduction to science teaching methods and laboratory safety training. Course content focuses on designing and teaching with the three'
  ❌ Invalid title line: 'with an introduction to science teaching methods and laboratory safety training. Course content focuses on designing and teaching with the three'
  ➜ Parsing at 5978: 'dimensions of science: disciplinary core ideas, crosscutting concepts, and science and engineering practices. Laboratory safety training and'

🔍 parse_program: starting at line 5978: 'dimensions of science: disciplinary core ideas, crosscutting concepts, and science and engineering practices. Laboratory safety training and'
  ➜ Title candidate: 'dimensions of science: disciplinary core ideas, crosscutting concepts, and science and engineering practices. Laboratory safety training and'
  ❌ Invalid title line: 'dimensions of science: disciplinary core ideas, crosscutting concepts, and science and engineering practices. Laboratory safety training and'
  ➜ Parsing at 5979: 'certification will include the proper use of personal protective equipment and safe laboratory practices and procedures in science classrooms. This'

🔍 parse_program: starting at line 5979: 'certification will include the proper use of personal protective equipment and safe laboratory practices and procedures in science classrooms. This'
  ➜ Title candidate: 'certification will include the proper use of personal protective equipment and safe laboratory practices and procedures in science classrooms. This'
  ❌ Invalid title line: 'certification will include the proper use of personal protective equipment and safe laboratory practices and procedures in science classrooms. This'
  ➜ Parsing at 5980: 'course has no prerequisites.'

🔍 parse_program: starting at line 5980: 'course has no prerequisites.'
  ➜ Title candidate: 'course has no prerequisites.'
  ❌ Invalid title line: 'course has no prerequisites.'
  ➜ Parsing at 5981: 'C646 - Trigonometry and Precalculus - Trigonometry and Precalculus covers the knowledge and skills necessary to apply trigonometry, complex'

🔍 parse_program: starting at line 5981: 'C646 - Trigonometry and Precalculus - Trigonometry and Precalculus covers the knowledge and skills necessary to apply trigonometry, complex'
  ➜ Title candidate: 'C646 - Trigonometry and Precalculus - Trigonometry and Precalculus covers the knowledge and skills necessary to apply trigonometry, complex'
  ❌ Invalid title line: 'C646 - Trigonometry and Precalculus - Trigonometry and Precalculus covers the knowledge and skills necessary to apply trigonometry, complex'
  ➜ Parsing at 5982: 'numbers, systems of equations, vectors and matrices, sequence and series, and to use appropriate technology to model and solve real-life problems.'

🔍 parse_program: starting at line 5982: 'numbers, systems of equations, vectors and matrices, sequence and series, and to use appropriate technology to model and solve real-life problems.'
  ➜ Title candidate: 'numbers, systems of equations, vectors and matrices, sequence and series, and to use appropriate technology to model and solve real-life problems.'
  ❌ Invalid title line: 'numbers, systems of equations, vectors and matrices, sequence and series, and to use appropriate technology to model and solve real-life problems.'
  ➜ Parsing at 5983: 'Topics include degrees; radians and arcs; reference angles and right triangle trigonometry; applying, graphing and transforming trigonometric'

🔍 parse_program: starting at line 5983: 'Topics include degrees; radians and arcs; reference angles and right triangle trigonometry; applying, graphing and transforming trigonometric'
  ➜ Title candidate: 'Topics include degrees; radians and arcs; reference angles and right triangle trigonometry; applying, graphing and transforming trigonometric'
  ❌ Invalid title line: 'Topics include degrees; radians and arcs; reference angles and right triangle trigonometry; applying, graphing and transforming trigonometric'
  ➜ Parsing at 5984: 'functions and their inverses; solving trigonometric equations; using and proving trigonometric identities; geometric, rectangular, and polar approaches'

🔍 parse_program: starting at line 5984: 'functions and their inverses; solving trigonometric equations; using and proving trigonometric identities; geometric, rectangular, and polar approaches'
  ➜ Title candidate: 'functions and their inverses; solving trigonometric equations; using and proving trigonometric identities; geometric, rectangular, and polar approaches'
  ❌ Invalid title line: 'functions and their inverses; solving trigonometric equations; using and proving trigonometric identities; geometric, rectangular, and polar approaches'
  ➜ Parsing at 5985: 'to complex numbers; DeMoivre's Theorem; systems of linear equations and matrix-vector equations; systems of nonlinear equations; systems of'

🔍 parse_program: starting at line 5985: 'to complex numbers; DeMoivre's Theorem; systems of linear equations and matrix-vector equations; systems of nonlinear equations; systems of'
  ➜ Title candidate: 'to complex numbers; DeMoivre's Theorem; systems of linear equations and matrix-vector equations; systems of nonlinear equations; systems of'
  ❌ Invalid title line: 'to complex numbers; DeMoivre's Theorem; systems of linear equations and matrix-vector equations; systems of nonlinear equations; systems of'
  ➜ Parsing at 5986: 'inequalities; and arithmetic and geometric sequences and series. College Algebra is a prerequisite for this course.'

🔍 parse_program: starting at line 5986: 'inequalities; and arithmetic and geometric sequences and series. College Algebra is a prerequisite for this course.'
  ➜ Title candidate: 'inequalities; and arithmetic and geometric sequences and series. College Algebra is a prerequisite for this course.'
  ❌ Invalid title line: 'inequalities; and arithmetic and geometric sequences and series. College Algebra is a prerequisite for this course.'
  ➜ Parsing at 5987: 'C647 - Trigonometry and Precalculus - Trigonometry and Precalculus covers the knowledge and skills necessary to apply trigonometry, complex'

🔍 parse_program: starting at line 5987: 'C647 - Trigonometry and Precalculus - Trigonometry and Precalculus covers the knowledge and skills necessary to apply trigonometry, complex'
  ➜ Title candidate: 'C647 - Trigonometry and Precalculus - Trigonometry and Precalculus covers the knowledge and skills necessary to apply trigonometry, complex'
  ❌ Invalid title line: 'C647 - Trigonometry and Precalculus - Trigonometry and Precalculus covers the knowledge and skills necessary to apply trigonometry, complex'
  ➜ Parsing at 5988: 'numbers, systems of equations, vectors and matrices, sequence and series, and to use appropriate technology to model and solve real-life problems.'

🔍 parse_program: starting at line 5988: 'numbers, systems of equations, vectors and matrices, sequence and series, and to use appropriate technology to model and solve real-life problems.'
  ➜ Title candidate: 'numbers, systems of equations, vectors and matrices, sequence and series, and to use appropriate technology to model and solve real-life problems.'
  ❌ Invalid title line: 'numbers, systems of equations, vectors and matrices, sequence and series, and to use appropriate technology to model and solve real-life problems.'
  ➜ Parsing at 5989: 'Topics include degrees; radians and arcs; reference angles and right triangle trigonometry; applying, graphing and transforming trigonometric'

🔍 parse_program: starting at line 5989: 'Topics include degrees; radians and arcs; reference angles and right triangle trigonometry; applying, graphing and transforming trigonometric'
  ➜ Title candidate: 'Topics include degrees; radians and arcs; reference angles and right triangle trigonometry; applying, graphing and transforming trigonometric'
  ❌ Invalid title line: 'Topics include degrees; radians and arcs; reference angles and right triangle trigonometry; applying, graphing and transforming trigonometric'
  ➜ Parsing at 5990: 'functions and their inverses; solving trigonometric equations; using and proving trigonometric identities; geometric, rectangular, and polar approaches'

🔍 parse_program: starting at line 5990: 'functions and their inverses; solving trigonometric equations; using and proving trigonometric identities; geometric, rectangular, and polar approaches'
  ➜ Title candidate: 'functions and their inverses; solving trigonometric equations; using and proving trigonometric identities; geometric, rectangular, and polar approaches'
  ❌ Invalid title line: 'functions and their inverses; solving trigonometric equations; using and proving trigonometric identities; geometric, rectangular, and polar approaches'
  ➜ Parsing at 5991: 'to complex numbers; DeMoivre's Theorem; systems of linear equations and matrix-vector equations; systems of nonlinear equations; systems of'

🔍 parse_program: starting at line 5991: 'to complex numbers; DeMoivre's Theorem; systems of linear equations and matrix-vector equations; systems of nonlinear equations; systems of'
  ➜ Title candidate: 'to complex numbers; DeMoivre's Theorem; systems of linear equations and matrix-vector equations; systems of nonlinear equations; systems of'
  ❌ Invalid title line: 'to complex numbers; DeMoivre's Theorem; systems of linear equations and matrix-vector equations; systems of nonlinear equations; systems of'
  ➜ Parsing at 5992: 'inequalities; and arithmetic and geometric sequences and series. College Algebra is a prerequisite for this course.'

🔍 parse_program: starting at line 5992: 'inequalities; and arithmetic and geometric sequences and series. College Algebra is a prerequisite for this course.'
  ➜ Title candidate: 'inequalities; and arithmetic and geometric sequences and series. College Algebra is a prerequisite for this course.'
  ❌ Invalid title line: 'inequalities; and arithmetic and geometric sequences and series. College Algebra is a prerequisite for this course.'
  ➜ Parsing at 5993: 'C649 - Geology I: Physical - Geology I: Physical provides undergraduate students seeking licensure or endorsement in science education for grades'

🔍 parse_program: starting at line 5993: 'C649 - Geology I: Physical - Geology I: Physical provides undergraduate students seeking licensure or endorsement in science education for grades'
  ➜ Title candidate: 'C649 - Geology I: Physical - Geology I: Physical provides undergraduate students seeking licensure or endorsement in science education for grades'
  ❌ Invalid title line: 'C649 - Geology I: Physical - Geology I: Physical provides undergraduate students seeking licensure or endorsement in science education for grades'
  ➜ Parsing at 5994: '5-12 with an introduction to minerals and rocks, the physical features of the Earth, and the internal and surface processes that shape those features.'

🔍 parse_program: starting at line 5994: '5-12 with an introduction to minerals and rocks, the physical features of the Earth, and the internal and surface processes that shape those features.'
  ➜ Title candidate: '5-12 with an introduction to minerals and rocks, the physical features of the Earth, and the internal and surface processes that shape those features.'
  ❌ Invalid title line: '5-12 with an introduction to minerals and rocks, the physical features of the Earth, and the internal and surface processes that shape those features.'
  ➜ Parsing at 5995: 'This course has no prerequisites.'

🔍 parse_program: starting at line 5995: 'This course has no prerequisites.'
  ➜ Title candidate: 'This course has no prerequisites.'
  ❌ Invalid title line: 'This course has no prerequisites.'
  ➜ Parsing at 5996: '© Western Governors University 7/19/17 161'

🔍 parse_program: starting at line 5996: '© Western Governors University 7/19/17 161'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'C650 - Geology I: Physical - Geology I: Physical provides graduate students seeking licensure or endorsement in science education for grades 5-12'
  ➜ Skipping stray line: 'with an introduction to minerals and rocks, the physical features of the Earth, and the internal and surface processes that shape those features. This'
  ➜ Skipping stray line: 'course has no prerequisites.'
  ➜ Skipping stray line: 'C652 - Heredity and Genetics - Heredity and Genetics is an introductory course for undergraduate students seeking initial licensure or endorsement'
  ➜ Skipping stray line: 'in biology education for grades 5–12. This course addresses the basic principles of heredity and the function of molecular genetics. Topics include'
  ➜ Skipping stray line: 'Mendelian and non-Mendelian inheritance and population genetics. This course has no prerequisites.'
  ➜ Skipping stray line: 'C653 - Heredity and Genetics - Heredity and Genetics is an introductory course for graduate students seeking initial licensure or endorsement in'
  ➜ Skipping stray line: 'biology (grades 5–12). This course addresses the basic principles of heredity and the function of molecular genetics. Topics include Mendelian and'
  ➜ Skipping stray line: 'non-Mendelian inheritance and population genetics. This course has no prerequisites.'
  ➜ Skipping stray line: 'C654 - Zoology - Zoology provides students seeking licensure or endorsement in biology, grades 5-12, with an introduction to the field of zoology.'
  ➜ Skipping stray line: 'Zoology includes the study of major animal phyla emphasizing characteristics, variations in anatomy, life cycles, adaptations, and relationships among'
  ➜ Skipping stray line: 'the animal kingdom. Prerequisite: Introduction to Biology.'
  ➜ Skipping stray line: 'C655 - Zoology - Zoology provides students seeking licensure or endorsement in biology, grades 5-12, with an introduction to the field of zoology.'
  ➜ Skipping stray line: 'Zoology includes the study of major animal phyla emphasizing characteristics, variations in anatomy, life cycles, adaptations, and relationships among'
  ➜ Skipping stray line: 'the animal kingdom. Prerequisite: Introduction to Biology.'
  ➜ Skipping stray line: 'C656 - Calculus III - Calculus III is the study of calculus conducted in three-or-higher-dimensional space. It covers the knowledge and skills necessary'
  ➜ Skipping stray line: 'to apply calculus of multiple variables while using the appropriate technology to model and solve real-life problems. Topics include: infinite series and'
  ➜ Skipping stray line: 'convergence tests (integral, comparison, ratio, root, and alternating), power series, taylor polynomials, vectors, lines and planes in three dimensions,'
  ➜ Skipping stray line: 'dot and cross products, multivariable functions, limits, and continuity, partial derivatives, directional derivatives, gradients, tangent planes, normal'
  ➜ Skipping stray line: 'lines, and extreme values. Calculus II is a prerequisite for this course.'
  ➜ Skipping stray line: 'C657 - Calculus III - Calculus III is the study of calculus conducted in three-or-higher-dimensional space. It covers the knowledge and skills necessary'
  ➜ Skipping stray line: 'to apply calculus of multiple variables while using the appropriate technology to model and solve real-life problems. Topics include: infinite series and'
  ➜ Skipping stray line: 'convergence tests (integral, comparison, ratio, root, and alternating), power series,taylor polynomials, vectors, lines and planes in three dimensions,'
  ➜ Skipping stray line: 'dot and cross products, multivariable functions, limits, and continuity, partial derivatives, directional derivatives, gradients, tangent planes, normal'
  ➜ Skipping stray line: 'lines, and extreme values. Calculus II is a prerequisite for this course.'
  ➜ Skipping stray line: 'C659 - Conceptual Physics - Conceptual Physics provides a broad, conceptual overview of the main principles of physics, including mechanics,'
  ➜ Skipping stray line: 'thermodynamics, wave motion, modern physics, and electricity and magnetism. Problem-solving activities and laboratory experiments provide'
  ➜ Skipping stray line: 'students with opportunities to apply these main principles, creating a strong foundation for future studies in physics. There are no prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'C682 - Mathematics for Elementary Educators - Mathematics for Elementary Educators III engages pre-service elementary teachers in'
  ➜ Skipping stray line: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in statistics, measurement, and'
  ➜ Skipping stray line: 'covers geometry from synthetic, transformational, and coordinate perspectives. This is the third course in a three-course sequence.'
  ➜ Skipping stray line: 'C683 - Natural Science Lab - This course gives you an introduction to using the scientific method and engaging in scientific research to reach'
  ➜ Skipping stray line: 'conclusions about the natural world. You will design and carry out an experiment to investigate a hypothesis by gathering quantitative data.'
  ➜ Skipping stray line: 'C688 - Cyberwarfare - This course introduces you to the real-world battlefield of cyberspace. It covers the history of cyberwarfare and the variety of'
  ➜ Skipping stray line: 'new concerns its emergence has fostered. This course explores how cyberwarfare has become an important part of the modern military arsenal and'
  ➜ Skipping stray line: 'provides strategies for protecting a threatened network, as well as strategies for dealing with specific cyber war actors and threats. It then concludes'
  ➜ Skipping stray line: 'with an exploration of the future of cyberwarfare considering the evolution of cyber-related capabilities, current threats, and emerging technology.'
  ➜ Skipping stray line: 'C697 - Operating Systems I - This course prepares students for the following certification exam: CompTIA Linux+ Part I.'
  ➜ Skipping stray line: 'C698 - Operating Systems II - This course prepares students for the following certification exam: CompTIA Linux+ Part II.'
  ➜ Skipping stray line: 'C700 - Secure Network Design - This course provides an in-depth look at organizational challenges and threats to networks that are connected to'
  ➜ Skipping stray line: 'the public Internet. Network security will be discussed in the context of how hackers gain access to networks and the use of Firewalls and VPNs to'
  ➜ Skipping stray line: 'provide security countermeasures. Also covered are methods and technologies to prepare the student to disarm threats, plan for emerging'
  ➜ Skipping stray line: 'technologies and future attacks.'
  ➜ Skipping stray line: 'C701 - Ethical Hacking - Ethical Hacking builds the skills necessary to protect an organization's information system from unauthorized access and'
  ➜ Skipping stray line: 'system hacking. Topics include security threats, penetration testing, vulnerability analysis, risk mitigation, business-related issues, and'
  ➜ Skipping stray line: 'countermeasures. Students will learn how to expose system vulnerabilities, solutions for eliminating and/or preventing them, and how to apply hacking'
  ➜ Skipping stray line: 'skills on different types of networks and platforms. This course prepares students for the following certification exam: EC-Council’s Ethical Hacker'
  ➜ Skipping stray line: 'certification exam (312-50). This course has no prerequisites.'
  ➜ Skipping stray line: 'C702 - Forensics and Network Intrusion - Forensics and Network Intrusion builds proficiency in detecting hacking attacks and properly extracting'
  ➜ Skipping stray line: 'evidence to report the crime and conduct audits to prevent future attacks. Topics include computer forensics in today’s world; media and operating'
  ➜ Skipping stray line: 'system forensics; data and file forensics; audits and investigations; and device forensics. This course prepares students for the following certification'
  ➜ Skipping stray line: 'exam: EC-Council Computer Hacking Forensic Investigator. This course has no prerequisites.'
  ➜ Skipping stray line: 'C706 - Secure Software Design - This course provides a practical guide to establish proactive software security that focuses on analyzing risks,'
  ➜ Skipping stray line: 'understanding likely points of attack, and deciding how software responds to future attacks. Students learn how to construct software that can deal'
  ➜ Skipping stray line: 'with known and unknown attacks preemptively by examining systemic threats in various deployment environments and discussing vulnerabilities of'
  ➜ Skipping stray line: 'software applications.'
  ➜ Skipping stray line: 'C708 - Principles of Finance - This course provides students with the fundamental knowledge needed to understand and interact with finance'
  ➜ Skipping stray line: 'professionals and to apply financial tools in their professional and personal lives. It focuses on the financial management of companies, but the course'
  ➜ Skipping stray line: 'will also provide a foundation for specialized study in banking and investment for those who choose to continue their study of finance.'
  ➜ Skipping stray line: 'C711 - Introduction to Business - This course introduces students to the various functional areas within an organization (e.g. marketing, production,'
  ➜ Skipping stray line: 'finance, etc.) that support a firm’s overall business objectives.'
  ➜ Skipping stray line: 'C712 - Marketing Fundamentals - Marketing Fundamentals introduces students to principles of the marketing environment, social media, consumer'
  ➜ Skipping stray line: 'behavior, marketing research, and market segmentation. Students will also explore marketing strategies that are related to products and services,'
  ➜ Skipping stray line: 'distribution channels, promotions, sales, and pricing.'
  ➜ Skipping stray line: 'C713 - Business Law - This course introduces students to business law. Topics include the sources and types of law, contractual relationships,'
  ➜ Skipping stray line: 'government regulation of business, dispute resolution, alternative dispute resolution, tort and other civil liabilities, labor and employment law, and other'
  ➜ Skipping stray line: 'legal issues found in common business scenarios. Students will analyze examples of various business activities to learn whether specific laws apply.'
  ➜ Skipping stray line: 'C714 - Business Strategy - Strategy, Change and Organizational Behavior Concepts addresses complex material in the areas of organizational'
  ➜ Skipping stray line: 'behavior and strategic quality management. Topics include strategic planning, and competitive advantage.'
  ➜ Skipping stray line: 'This course focuses on models and practices of strategic management, including developing and implementing a strategy and evaluating performance'
  ➜ Skipping stray line: 'to achieve strategic goals and objectives.'
  ➜ Skipping stray line: 'C715 - Organizational Behavior - Organizational Behavior and Leadership explores how to lead and manage effectively in diverse business'
  ➜ Skipping stray line: 'environments. Students are asked to demonstrate the ability to apply organizational leadership theories and management strategies in a series of'
  ➜ Skipping stray line: 'scenario-based problems.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 162'
  ➜ Skipping stray line: 'C716 - Business Communication - Business Communication is a survey course of communication skills needed in the business environment.'
  ➜ Skipping stray line: 'Course content includes writing messages, reports, and résumés and delivering oral presentations. The course emphasizes communication'
  ➜ Skipping stray line: 'processes, writing skills, message types, and presentation of data. The development of these skills is integrated with the use of technology.'
  ➜ Skipping stray line: 'C717 - Business Ethics - Business Ethics is designed to enable students to identify the ethical and socially responsible courses of actions available'
  ➜ Skipping stray line: 'through the exploration of various scenarios in business. Students will also learn to develop appropriate ethics guidelines for a business. This course'
  ➜ Skipping stray line: 'has no prerequisites.'
  ➜ Skipping stray line: 'C718 - Microeconomics - Microeconomics introduces you to foundational economic concepts. You will learn how households maximize utility and'
  ➜ Skipping stray line: 'firms maximize profit in order to allocate their scarce resources. Upon completion of this course, you will be able to explain opportunity costs, the'
  ➜ Skipping stray line: 'importance of competition, and how demand and supply work to determine equilibrium price and quantity in perfectly competitive markets and under'
  ➜ Skipping stray line: 'monopolistic competition, oligopoly, and monopoly.'
  ➜ Skipping stray line: 'C719 - Macroeconomics - Macroeconomics provides you with an in-depth overview of the economy as a whole. The course covers market structure,'
  ➜ Skipping stray line: 'essential models, theories, and policies that affect international and domestic economic systems. You will learn how the economy operates and how'
  ➜ Skipping stray line: 'society manages its costs, benefits, and trade-offs when allocating scarce resources through market demand and supply. Other topics include how'
  ➜ Skipping stray line: 'output and growth in the economy are measured with GDP and how the government and Federal Reserve influence growth, unemployment, and'
  ➜ Skipping stray line: 'inflation through fiscal and monetary policy.'
  ➜ Skipping stray line: 'C720 - Operations and Supply Chain Management - Operations and Supply Chain Management provides a streamlined introduction to how'
  ➜ Skipping stray line: 'organizations efficiently produce goods and services, determine supply chain management strategies, and measure performance. Emphasis is placed'
  ➜ Skipping stray line: 'on integrative topics essential for managers in all disciplines, such as supply chain management, product development, and capacity planning. You'
  ➜ Skipping stray line: 'will learn how to analyze processes, manage quality for both services and products, and measure performance, while creating value along the supply'
  ➜ Skipping stray line: 'chain in a global environment. Topics include forecasting, product and service design, process design and location analysis, capacity planning,'
  ➜ Skipping stray line: 'management of quality and quality control, inventory management, scheduling, supply chain management, and performance measurement.'
  ➜ Skipping stray line: 'C721 - Change Management - Change Management provides an understanding of change and an overview of successfully managing change using'
  ➜ Skipping stray line: 'various methods and tools. Emphasizing change theories and various best practices, you will learn how to recognize and implement change using an'
  ➜ Skipping stray line: 'array of other effective strategies, including those related to innovation and leadership. Other topics include approaches to change, diagnosing and'
  ➜ Skipping stray line: 'planning for change, implementing change, and sustaining change.'
  ➜ Skipping stray line: 'C722 - Project Management - Project Management prepares you to manage projects from start to finish within any organizational structure. The'
  ➜ Skipping stray line: 'course presents a view into different project-management methods and delves into topics such as project profiling and phases, constraints, building'
  ➜ Skipping stray line: 'the project team, scheduling, and risk. You will be able to grasp the full scope of projects you may work on in the future, and apply the proper'
  ➜ Skipping stray line: 'management approaches to complete a project. The course features practice in each of the project phases as you learn how to strategically apply'
  ➜ Skipping stray line: 'project-management tools and techniques to help organizations achieve their goals.'
  ➜ Skipping stray line: 'C723 - Quantitative Analysis For Business - Quantitative Analysis for Business explores various decision-making models, including expected value'
  ➜ Skipping stray line: 'models, linear programming models, and inventory models. You will learn to analyze data by using a variety of analytic tools and techniques to make'
  ➜ Skipping stray line: 'better business decisions. In addition, you will develop project schedules using the Critical Path Method. Other topics include calculating and'
  ➜ Skipping stray line: 'evaluating formulas, measures of uncertainty, crash costs, and visual representation of decision-making models using electronic spreadsheets and'
  ➜ Skipping stray line: 'graphs. This course has no prerequisites.'
  ➜ Skipping stray line: 'C724 - Information Systems Management - This course provides an overview of many facets of information systems applicable to business. The'
  ➜ Skipping stray line: 'course explores the importance of viewing information technology (IT) as an organizational resource that must be managed, so that it supports or'
  ➜ Skipping stray line: 'enables organizational strategy. Topics: The 7 competencies covered in the course include the primary processes involved in system development'
  ➜ Skipping stray line: '(i.e., analysis, design, and implementation), networks, database resource management, hardware and software, e-commerce and social media, IS'
  ➜ Skipping stray line: 'security and ethics, and mobile vs. desktop computing. Students will learn how e-commerce, decision support, and communication are securely'
  ➜ Skipping stray line: 'facilitated in a global marketplace. The course also explores current and continuously evolving technologies, strategic thinking, and big-picture issues'
  ➜ Skipping stray line: 'at the intersection of management and technology.'
  ➜ Skipping stray line: 'C728 - Secondary Disciplinary Literacy - Secondary Disciplinary Literacy examines teaching strategies designed to help learners in grades 5-12'
  ➜ Skipping stray line: 'improve upon the literacy skills required to read, write, and think critically while engaging content in different academic disciplines. Themes include'
  ➜ Skipping stray line: 'exploring how language structures, text features, vocabulary, and context influence reading comprehension across the curriculum. Course content'
  ➜ Skipping stray line: 'highlights strategies and tools designed to help teachers assess the reading comprehension and writing proficiency of learners and provides strategies'
  ➜ Skipping stray line: 'to support students' reading and writing success in all curriculum areas. This course has no prerequisites.'
  ➜ Skipping stray line: 'C730 - Secondary Reading Instruction and Interventions - Secondary Reading Instruction and Intervention explores the comprehensive, student-'
  ➜ Skipping stray line: 'centered Response to Intervention (RTI) assessment and intervention model used to identify and address the needs of learners in grades 5–12 who'
  ➜ Skipping stray line: 'struggle with reading comprehension and/or information retention. Course content provides educators with effective strategies designed to scaffold'
  ➜ Skipping stray line: 'instruction and help learners develop increased skill in the following areas: reading, vocabulary, text structures and genres, and logical reasoning'
  ➜ Skipping stray line: 'related to the academic disciplines. This course has no prerequisites.'
  ➜ Skipping stray line: 'C732 - Elementary Disciplinary Literacy - Elementary Disciplinary Literacy examines teaching strategies designed to help learners in grades K–6'
  ➜ Skipping stray line: 'develop the literacy skills necessary to read, write, and think critically while engaging content in different academic disciplines. Course content'
  ➜ Skipping stray line: 'highlights strategies to help learners distinguish between the unique characteristics of informational texts while improving comprehension and writing'
  ➜ Skipping stray line: 'proficiency across the curriculum. Strategies to encourage inquiry and cultivate skills in critical thinking, collaboration, and creativity also are'
  ➜ Skipping stray line: 'addressed. This course has no prerequisites.'
  ➜ Skipping stray line: 'C733 - Elementary Disciplinary Literacy - Elementary Disciplinary Literacy examines teaching strategies designed to help learners in grades K–6'
  ➜ Skipping stray line: 'develop the literacy skills necessary to read, write, and think critically while engaging content in different academic disciplines. Course content'
  ➜ Skipping stray line: 'highlights strategies to help learners distinguish between the unique characteristics of informational texts while improving comprehension and writing'
  ➜ Skipping stray line: 'proficiency across the curriculum. Strategies to encourage inquiry and cultivate skills in critical thinking, collaboration, and creativity also are'
  ➜ Skipping stray line: 'addressed. This course has no prerequisites.'
  ➜ Skipping stray line: 'C736 - Evolution - Students will learn why evolution is the fundamental concept that underlies all life sciences and how it contributes to advances in'
  ➜ Skipping stray line: 'medicine, public health and conservation. Course participants will gain a firm understanding of the basic mechanisms of evolution including the'
  ➜ Skipping stray line: 'process of speciation --- and how these systems have given rise to the great diversity of life in the world today. They will also explore how new ideas,'
  ➜ Skipping stray line: 'discoveries and technologies are modifying prior evolutionary concepts. Ultimately, the course will explain how evolution works and how we know what'
  ➜ Skipping stray line: 'we know.'
  ➜ Skipping stray line: 'C737 - Evolution - Students will learn why evolution is the fundamental concept that underlies all life sciences and how it contributes to advances in'
  ➜ Skipping stray line: 'medicine, public health and conservation. Course participants will gain a firm understanding of the basic mechanisms of evolution including the'
  ➜ Skipping stray line: 'process of speciation --- and how these systems have given rise to the great diversity of life in the world today. They will also explore how new ideas,'
  ➜ Skipping stray line: 'discoveries and technologies are modifying prior evolutionary concepts. Ultimately, the course will explain how evolution works and how we know what'
  ➜ Skipping stray line: 'we know.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 163'
  ➜ Skipping stray line: 'C738 - Space, Time and Motion - Throughout history, humans have grappled with questions about the origin, workings, and behavior of the universe.'
  ➜ Skipping stray line: 'This seminar begins with a quick tour of discovery and exploration in physics, from the ancient Greek philosophers on to Galileo Galilei, Isaac Newton'
  ➜ Skipping stray line: 'and Albert Einstein. Einstein’s work then serves as the departure point for a detailed look at the properties of motion, time, space, matter, and energy.'
  ➜ Skipping stray line: 'The course considers Einstein’s Special Theory of Relativity, his photon hypothesis, wave-particle duality, his General Theory of Relativity and its'
  ➜ Skipping stray line: 'implications for astrophysics and cosmology, as well as his three-decade quest for a unified field theory. It also looks at Einstein as a social and'
  ➜ Skipping stray line: 'political figure, and his contributions as a social and political force. Scientist-authored essays, online interaction, videos, and web resources enable'
  ➜ Skipping stray line: 'learners to trace this historic path of discovery and explore implications of technology for society, energy production in stars, black holes, the Big Bang'
  ➜ Skipping stray line: 'and the role of the scientist in modern society.'
  ➜ Skipping stray line: 'C739 - Space, Time and Motion - Throughout history, humans have grappled with questions about the origin, workings, and behavior of the universe.'
  ➜ Skipping stray line: 'This seminar begins with a quick tour of discovery and exploration in physics, from the ancient Greek philosophers on to Galileo Galilei, Isaac Newton'
  ➜ Skipping stray line: 'and Albert Einstein. Einstein’s work then serves as the departure point for a detailed look at the properties of motion, time, space, matter, and energy.'
  ➜ Skipping stray line: 'The course considers Einstein’s Special Theory of Relativity, his photon hypothesis, wave-particle duality, his General Theory of Relativity and its'
  ➜ Skipping stray line: 'implications for astrophysics and cosmology, as well as his three-decade quest for a unified field theory. It also looks at Einstein as a social and'
  ➜ Skipping stray line: 'political figure, and his contributions as a social and political force. Scientist-authored essays, online interaction, videos, and web resources enable'
  ➜ Skipping stray line: 'learners to trace this historic path of discovery and explore implications of technology for society, energy production in stars, black holes, the Big Bang'
  ➜ Skipping stray line: 'and the role of the scientist in modern society.'
  ➜ Skipping stray line: 'C740 - Fundamentals of Data Analytics - This course provides an introduction to a variety of tools and techniques used in the field of data analytics.'
  ➜ Skipping stray line: 'Students will summarize data, review statistical models, explore data mining techniques, and contemplate ethical considerations associated with the'
  ➜ Skipping stray line: 'field of data analytics. This course presents a survey of concepts which will be explored more in-depth in subsequent courses in the MS Data Analytics'
  ➜ Skipping stray line: 'program.'
  ➜ Skipping stray line: 'C741 - Statistics for Data Analysis - This course covers a broad range of statistical techniques and methods applied in real-world settings. Topics'
  ➜ Skipping stray line: 'presented include inferential, parametric and non-parametric statistics, as well as regression analysis and analysis of variance.'
  ➜ Skipping stray line: 'C742 - Data Science Tools and Techniques - This course covers data science tools and techniques to perform data wrangling and exploration. You'
  ➜ Skipping stray line: 'will be introduced to programming languages and web scraping tools along with machine learning models.'
  ➜ Skipping stray line: 'C743 - Data Mining and Analytics I - This course is an introduction to data mining and exploratory data analysis, including text and web mining.'
  ➜ Skipping stray line: 'Topics include the use of data exploration methods to prepare data, familiarization with commercial data types commonly used for data mining, the'
  ➜ Skipping stray line: 'use of statistical and data mining software, including R, SAS and SPSS, and the comparison and classification of data mining methods.'
  ➜ Skipping stray line: 'C744 - Data Mining and Analytics II - This course examines the application of descriptive and predictive data mining techniques to reveal information'
  ➜ Skipping stray line: 'within a mass of data. Techniques include factor analysis, cluster analysis, classification methods, and neural networks to limit human subjectivity in'
  ➜ Skipping stray line: 'decision making processes.'
  ➜ Skipping stray line: 'C745 - Advanced Data Visualization - The focus of this course is visualizing and telling stories with data. This course begins with a description of the'
  ➜ Skipping stray line: 'growth of data and visualization in industry, news, and government. Actual human stories will be reviewed from a data-statistical perspective. The'
  ➜ Skipping stray line: 'creation of graphs, displays and geospatial data presentations to communicate information supporting decision making while implementing best'
  ➜ Skipping stray line: 'practices for effective storytelling will be examined.'
  ➜ Skipping stray line: 'C746 - Advanced SQL - This course prepares the student for the Oracle Database SQL (1Z0-071) certification exam. Students will master the SQL'
  ➜ Skipping stray line: 'language which will allow them to restrict and sort data, manage data, objects and tables, create schema objects, and control user access.'
  ➜ Skipping stray line: 'C747 - SAS Programming I: Fundamentals - This course prepares the student for the Base Programmer for SAS 9 Certification (A00-211). Students'
  ➜ Skipping stray line: 'will achieve competencies in SAS programming that will allow them to import and export raw data files, manipulate and transform data, combine SAS'
  ➜ Skipping stray line: 'data sets, identify and correct syntax errors, and write SAS code on the SAS platform.'
  ➜ Skipping stray line: 'C748 - SAS Programming II: Business Analysis Applications - This course prepares the student for the SAS Statistical Business Analyst for SAS'
  ➜ Skipping stray line: '9 Certification (A00-240). Students will gain competency to conduct, interpret, and present complex statistical data analysis in the SAS platform.'
  ➜ Skipping stray line: 'C749 - Introduction to Data Science - This Introduction to Data Science course introduces the data analysis process and common statistical'
  ➜ Skipping stray line: 'techniques necessary for the analysis of data. Students will ask questions that can be solved with a given data set, set up experiments, use statistics'
  ➜ Skipping stray line: 'and data wrangling to test hypotheses, find ways to speed up their data analysis code, make their data set easier to access, and communicate their'
  ➜ Skipping stray line: 'findings.'
  ➜ Skipping stray line: 'C750 - Data Wrangling with MongoDB - This course elaborates on concepts covered in Introduction to Data Science, helping to develop skills'
  ➜ Skipping stray line: 'crucial to the field of data science and analysis. It explores how to wrangle data from diverse sources and shape it to enable data-driven applications—'
  ➜ Skipping stray line: 'a common activity in many data scientists' routine.'
  ➜ Skipping stray line: 'Topics covered include gathering and extracting data from widely-used data formats, assessing the quality of data, and exploring best practices for'
  ➜ Skipping stray line: 'data cleaning. This course also introduces MongoDB, covering the essentials of storing data and the MongoDB query language together with'
  ➜ Skipping stray line: 'exploratory analysis using the MongoDB aggregation framework.'
  ➜ Skipping stray line: 'C751 - Data Analysis with R - This course focuses on exploratory data analysis (EDA) utilizing R. EDA is an approach for summarizing and'
  ➜ Skipping stray line: 'visualizing the important characteristics of a data set. Exploratory data analysis focuses on exploring data to understand the data’s underlying'
  ➜ Skipping stray line: 'structure and variables to develop intuition about the data set, to consider how that data set came into existence, and to decide how it can be'
  ➜ Skipping stray line: 'investigated with more formal statistical methods.'
  ➜ Skipping stray line: 'C752 - Data Visualization - This course covers the application of design principles, human perception, color theory, and effective storytelling in the'
  ➜ Skipping stray line: 'context of data visualization. It addresses presenting data to others, facilitating aspirations to be an analyst or data scientist, and advancing technology'
  ➜ Skipping stray line: 'with visualization tools. Additionally, this course focuses on how to visually encode and present data to an audience.'
  ➜ Skipping stray line: 'C753 - Machine Learning - This course presents the end-to-end process of investigating data through a machine learning lens. Topics covered'
  ➜ Skipping stray line: 'include: techniques for extracting data, identifying useful features that best represent data, a survey of commonly-used machine learning algorithms,'
  ➜ Skipping stray line: 'and methods for evaluating the performance of machine learning algorithms.'
  ➜ Skipping stray line: 'C754 - Structured Query Language - This course focuses on structured query language (SQL). It starts with a review of the basic statements and'
  ➜ Skipping stray line: 'continues on to the creation of complex queries that affect multiple tables and utilize SQL functions. Data manipulation language (DML) and data'
  ➜ Skipping stray line: 'definition language (DDL) are also covered, thus enabling the student to create and maintain database objects and modify data by using SQL'
  ➜ Skipping stray line: 'commands.'
  ➜ Skipping stray line: 'C755 - Database Server Administration - This course covers the installation, configuration, and administration of database servers. Students will be'
  ➜ Skipping stray line: 'introduced to all the logical and physical components of a database server and learn to set up a server in a network environment. Tools and strategies'
  ➜ Skipping stray line: 'for access and space management will be covered, as well as backup, restoration, and upgrade techniques.'
  ➜ Skipping stray line: 'C756 - Data Analytics - This course covers the most common tools, techniques, and procedures involved in data analytics. Students will review all'
  ➜ Skipping stray line: 'the disciplines involved with data analytics learned in previous courses and get a better understanding of how they all relate to one another.'
  ➜ Skipping stray line: 'C762 - Teacher Performance Assessment in Science - The Teacher Performance Assessment is a culmination of the wide variety of skills learned'
  ➜ Skipping stray line: 'during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of'
  ➜ Skipping stray line: 'your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 164'
  ➜ Skipping stray line: 'C763 - Healthcare Information Systems Management - Information Systems Management provides an overview of many facets of information'
  ➜ Skipping stray line: 'systems that are applicable to business and healthcare. The course explores how information technology (IT) is an organizational resource that must'
  ➜ Skipping stray line: 'be managed so that it supports or enables organizational strategy. The course will discuss how decision support and communication are securely'
  ➜ Skipping stray line: 'facilitated in a global marketplace. The course also explores current and continuously evolving technologies, strategic thinking, and issues at the'
  ➜ Skipping stray line: 'intersection of management and technology.'
  ➜ Skipping stray line: 'C768 - Technical Communication - This course covers basic elements of technical communication, including professional written communication'
  ➜ Skipping stray line: 'proficiency; the ability to strategize approaches for differing audiences; and technical style, grammar, and syntax proficiency.'
  ➜ Skipping stray line: 'C769 - IT Capstone Written Project - The capstone project consists of a technical work proposal, the proposal’s implementation, and a post-'
  ➜ Skipping stray line: 'implementation report that describes the graduate’s experience in developing and implementing the capstone project. The capstone project should be'
  ➜ Skipping stray line: 'presented and approved by the mentor in relation to the graduate’s technical emphasis.'
  ➜ Skipping stray line: 'C772 - Data Analytics Graduate Capstone - The Data Analytics Graduate Capstone course allows the student to demonstrate their application of the'
  ➜ Skipping stray line: 'academic and professional abilities developed as a graduate student. The capstone challenges students to integrate skills and knowledge from'
  ➜ Skipping stray line: 'several program domains into one project.'
  ➜ Skipping stray line: 'C773 - User Interface Design - This course covers tools and techniques employed in user interface design including web and mobile applications.'
  ➜ Skipping stray line: 'Concepts of clarity, usability and detectability are included in this course as well as other design elements such as color schemes, typography, and'
  ➜ Skipping stray line: 'layout . Techniques like wireframing, usability testing, and SEO optimization are also covered. This course prepares students for the CIW User'
  ➜ Skipping stray line: 'Interface Designer certification.'
  ➜ Skipping stray line: 'C777 - Web Development Applications - This course prepares students for the CIW Advanced HTML5 and CSS3 Specialist certification exam. This'
  ➜ Skipping stray line: 'course builds upon a student's manual coding skills by teaching how to develop web documents and pages using the Web Development Trifecta:'
  ➜ Skipping stray line: 'HTML5 (Hypertext Markup Language version 5) and CSS3 (Cascading Style Sheets version 3) and JavaScript. Students will utilize the skills learned'
  ➜ Skipping stray line: 'in this course to create web documents and pages that easily adapt to display on both traditional and mobile devices. In addition, students will learn'
  ➜ Skipping stray line: 'techniques for code validation and testing, form creation, inline form field validation, and mobile design for browsers and apps, including Responsive'
  ➜ Skipping stray line: 'Web Design (RWD).'
  ➜ Skipping stray line: 'C779 - Web Development Foundations -'
  ➜ Skipping stray line: 'This course prepares students for the CIW Site Development Associate certification. The course introduces students to web design and development'
  ➜ Skipping stray line: 'by presenting them with HTML5 and CSS, the foundational languages of the web, by reviewing media strategies, and by using tools and techniques'
  ➜ Skipping stray line: 'commonly employed in web development.'
  ➜ Skipping stray line: 'C783 - Project Management - In this course, students examine project management concepts based on the five process groups and ten knowledge'
  ➜ Skipping stray line: 'areas identified in the Project Management Body of Knowledge (PMBOK) Guide in preparation for completing the PMI Certified Associate in Project'
  ➜ Skipping stray line: 'Management (CAPM) certification exam.'
  ➜ Skipping stray line: 'C784 - Applied Healthcare Statistics - Applied Healthcare Probability and Statistics is designed to help you develop competence in the fundamental'
  ➜ Skipping stray line: 'concepts of basic mathematics, introductory algebra, and statistics and probability. These concepts include: basic arithmetic with fractions and signed'
  ➜ Skipping stray line: 'numbers; introductory algebra and graphing; descriptive statistics; regression and correlation; and probability. Statistical data and probability are now'
  ➜ Skipping stray line: 'commonplace in the healthcare field. You need to be able to make informed decisions about which studies and results are valid, which are not, and'
  ➜ Skipping stray line: 'how those results affect your decisions. This course will give you background in what constitutes sound research design and how to appropriately'
  ➜ Skipping stray line: 'model phenomena using statistical data. Additionally, you will be able to calculate simple probabilities, especially based on events which occur in the'
  ➜ Skipping stray line: 'healthcare profession. This course will prepare you for your studies at WGU, as well as in the healthcare profession.'
  ➜ Skipping stray line: 'C785 - Biochemistry - Biochemistry covers the structure and function of the four major polymers produced by living organisms. These include nucleic'
  ➜ Skipping stray line: 'acids, proteins, carbohydrates, and lipids. This course focuses on application! Be sure to understand the underlying biochemistry in order to grasp how'
  ➜ Skipping stray line: 'it is applied. By successfully completing this course, you will gain an introductory understanding of the chemicals and reactions that sustain life. You'
  ➜ Skipping stray line: 'will also begin to see the importance of this subject matter to health.'
  ➜ Skipping stray line: 'C787 - Health and Wellness Through Nutritional Science - Nutritional ignorance or misunderstandings are at the root of the health problems that'
  ➜ Skipping stray line: 'most Americans face today. Nurses need to be armed with the most current information available about nutrition science including how to understand'
  ➜ Skipping stray line: 'nutritional content of food, implications of exercise and activity on food consumption and weight management, and management of community or'
  ➜ Skipping stray line: 'population specific nutritional challenges. The Nutrition for Contemporary Society course should prepare nurses to provide support, guidance and'
  ➜ Skipping stray line: 'teaching about incorporation of sound nutritional principles into daily life for health promotion. This course covers the following concepts: nutrition to'
  ➜ Skipping stray line: 'support wellness; healthy nutritional choices; nutrition and physical activity; nutrition through the lifecycle; safety and security of food; and nutrition and'
  ➜ Skipping stray line: 'global health environments.'
  ➜ Skipping stray line: 'C790 - Foundations in Nursing Informatics - This course addresses the integration of technology to improve and support nursing practice. It'
  ➜ Skipping stray line: 'provides nurses with a foundational understanding of nursing informatics theory, practice, and applications. Topics include the role of nursing in'
  ➜ Skipping stray line: 'informatics; use of computer technology for clinical documentation, communication, and workflows; problem identification; project implementation; and'
  ➜ Skipping stray line: 'best practices.'
  ➜ Skipping stray line: 'C791 - Advanced Information Management and the Application of Technology - In this course you will examine complementary roles of master’s'
  ➜ Skipping stray line: 'level-prepared nursing information technology professionals, including informaticists and quality officers. You will analyze current and emerging'
  ➜ Skipping stray line: 'technologies; data management; ethical legal and regulatory best-practice evidence; and bio-health informatics using decision-making support'
  ➜ Skipping stray line: 'systems at the point of care.'
  ➜ Skipping stray line: 'C792 - Data Modeling and Database Management Systems - This graduate course is designed to engage the student in planning, analyzing, and'
  ➜ Skipping stray line: 'designing a relational database management system (DBMS) for use by nurse administrators, clinicians, educators, and informaticists. This'
  ➜ Skipping stray line: 'experience will provide the knowledge needed to advocate for nursing informatics needs within the field of healthcare.'
  ➜ Skipping stray line: 'C793 - Nursing Informatics Field Experience - In the Nursing Informatics Field Experience, you will complete a hands-on field experience while'
  ➜ Skipping stray line: 'working with a preceptor in a setting relevant to your professional situation and nursing informatics. Today’s rapidly changing health delivery system'
  ➜ Skipping stray line: 'requires nurse informaticists to be prepared to effectively lead change and facilitate learning that is dynamic and meets the needs of a diverse student'
  ➜ Skipping stray line: 'and professional nursing population. To help you develop competency in this area, you will apply methods and solutions to support clinical decisions'
  ➜ Skipping stray line: 'and improve health outcomes by designing data collection instruments, developing a database management system and analyzing data using'
  ➜ Skipping stray line: 'statistical and geospatial techniques in a simulated environment.'
  ➜ Skipping stray line: 'C794 - Nursing Informatics Capstone - The Nursing Informatics Capstone is the final leg in your journey to graduation. During this course, you will'
  ➜ Skipping stray line: 'present evidence of the knowledge and skills you gained during this program by completing a comprehensive evaluation of a health information'
  ➜ Skipping stray line: 'system. You will develop a multimedia presentation that reviews and reflects on your learning experiences during the Nursing Informatics program.'
  ➜ Skipping stray line: 'This scholarly presentation is a synthesis that illustrates the acquisition of nursing informatics knowledge, skills, and competencies. Your final'
  ➜ Skipping stray line: 'presentation should demonstrate how the integration of nursing informatics facilitates the transformation of data and information to knowledge and'
  ➜ Skipping stray line: 'wisdom in a nursing practice. The presentation will be developed using the best practices for narrated PowerPoint presentations (see the MSN'
  ➜ Skipping stray line: 'Capstone Presentation section for details).'
  ➜ Skipping stray line: 'C797 - Data Science and Analytics - This course addresses the interdisciplinary and emerging field of data science in healthcare. Students will learn'
  ➜ Skipping stray line: 'to combine tools and techniques from statistics, computer science, data visualization, and the social sciences to solve problems using data. Topics'
  ➜ Skipping stray line: 'include data analysis, database management, inferential and descriptive statistics, statistical inference, and process improvement.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 165'
  ➜ Skipping stray line: 'C798 - Informatics System Analysis and Design - In Informatics System Analysis and Design, a broad understanding of data systems is covered to'
  ➜ Skipping stray line: 'build upon the Foundations in Nursing Informatics course. The importance of effective interoperability, functionality, data access, and user satisfaction'
  ➜ Skipping stray line: 'are addressed. The student will be analyzing reports and integrating federal regulations, research principles, and principles of environmental health in'
  ➜ Skipping stray line: 'the construction of a real-world systems analysis and design project. This course will be directly applicable to healthcare settings as electronic records'
  ➜ Skipping stray line: 'management has become compulsory for healthcare providers. All of the information in this course will be directly tied to the delivery of quality patient'
  ➜ Skipping stray line: 'care and patient safety.'
  ➜ Skipping stray line: 'C799 - Healthcare Ecosystems - Healthcare Ecosystems explores the history and state of healthcare organizations in an ever-changing'
  ➜ Skipping stray line: 'environment. This course covers how agencies influence healthcare delivery through legal, licensure, certification, and accreditation standards. The'
  ➜ Skipping stray line: 'course will also discuss how new technologies and trends keep healthcare delivery innovative and current.'
  ➜ Skipping stray line: 'C800 - Introduction to Healthcare IT Systems - Introduction to Healthcare IT Systems introduces students to information technology as a discipline.'
  ➜ Skipping stray line: 'This course also exposes students to the various roles and functions of the health information manager to support the business of healthcare. There'
  ➜ Skipping stray line: 'are no prerequisites for this course.'
  ➜ Skipping stray line: 'C801 - Health Information Law and Regulations - Health Information Law and Regulations prepares students to manage health information in'
  ➜ Skipping stray line: 'compliance with legal guidelines and teaches how to respond to questions and challenges when legal issues occur. This course presents the types of'
  ➜ Skipping stray line: 'situations occurring in health information management that could result in ethical dilemmas and establishes a foundation for work based on legal and'
  ➜ Skipping stray line: 'ethical guidelines.'
  ➜ Skipping stray line: 'C802 - Foundations in Healthcare Information Management - Foundations in Healthcare Information applies theories from business, IT,'
  ➜ Skipping stray line: 'management, medicine, and consumer-centered healthcare skills. Students will learn to evaluate and analyze health information systems for'
  ➜ Skipping stray line: 'implementation in health information management. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C803 - Data Analytics and Information Governance - Data Analytics and Information Governance explores the structure, methods, and approaches'
  ➜ Skipping stray line: 'for using health information in the healthcare industry. By focusing on quality data collection, analytics, and industry regulations, students will examine'
  ➜ Skipping stray line: 'tools that ensure quality data collection as well as use data to improve quality of care. This course has no prerequisites.'
  ➜ Skipping stray line: 'C804 - Medical Terminology - Medical Terminology focuses on the basic components of medical terminology and how terminology is used when'
  ➜ Skipping stray line: 'discussing various body structures and systems. Proper use of medical terminology is critical for accurate and clear communication among medical'
  ➜ Skipping stray line: 'staff, health professionals, and patients. In addition to the systems of the body, this course will discuss immunity, infections, mental health, and cancer.'
  ➜ Skipping stray line: 'C805 - Pathophysiology - Pathophysiology is an overview of the pathology and treatment of diseases in the human body and its systems. This'
  ➜ Skipping stray line: 'course will explain the processes in the body that result in the signs and symptoms of disease, as well as therapeutic procedures in managing or'
  ➜ Skipping stray line: 'curing the disease. The content draws on a knowledge of anatomy and physiology to understand how diseases manifest themselves and how they'
  ➜ Skipping stray line: 'affect the body.'
  ➜ Skipping stray line: 'C806 - Introduction to Pharmacology - Introduction to Pharmacology provides information about drug development and approvals, pharmaceutical'
  ➜ Skipping stray line: 'classifications, metabolism, and the effect of drugs on body systems. The course will introduce advancements in pharmaceutical technology,'
  ➜ Skipping stray line: 'regulatory requirements within electronic health record systems, and the financial implications of pharmaceutical coding and billing. This course has no'
  ➜ Skipping stray line: 'prerequisites.'
  ➜ Skipping stray line: 'C807 - Healthcare Compliance - Healthcare Compliance examines the role of the coding professional within healthcare information management.'
  ➜ Skipping stray line: 'The course covers compliance plans, issues that arise with noncompliance, and management of internal and external audits.'
  ➜ Skipping stray line: 'C808 - Classification Systems - Classification Systems provides a comprehensive approach to learning about medical coding classification, coding'
  ➜ Skipping stray line: 'audits and quality standards. Students will be exposed to electronic health record systems and leadership principles as they relate to management of'
  ➜ Skipping stray line: 'ICD and CPT codes. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C810 - Foundations in Healthcare Data Management - Foundations in Healthcare Data Management introduces students to the concepts and'
  ➜ Skipping stray line: 'terminology used in health data and health information management. This course teaches students how to apply data management and governance'
  ➜ Skipping stray line: 'principles in the healthcare environment. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C811 - Healthcare Financial Resource Management - Healthcare Financial Resource Management examines financial practices within healthcare'
  ➜ Skipping stray line: 'industries to promote effective management at department and organization levels. Focusing on financial processes associated with facility operations'
  ➜ Skipping stray line: 'in the healthcare field, this course will analyze the impact of strategic financial planning and regulatory control processes. This course has no'
  ➜ Skipping stray line: 'prerequisites.'
  ➜ Skipping stray line: 'C812 - Healthcare Reimbursement - Healthcare Reimbursement explores financial practices within the healthcare industry as they relate to'
  ➜ Skipping stray line: 'reimbursement policies. This course identifies how reimbursement systems impact the revenue cycle and a health information manager's role. This'
  ➜ Skipping stray line: 'course has no prerequisites.'
  ➜ Skipping stray line: 'C813 - Healthcare Statistics and Research - Healthcare Statistics and Research explores the use of statistical data to support process improvement'
  ➜ Skipping stray line: 'through health information research. Health information management (HIM) professionals use information systems to gather, analyze, and present'
  ➜ Skipping stray line: 'data in response to administrative and clinical needs. This course has no prerequisites.'
  ➜ Skipping stray line: 'C815 - Quality and Performance Management and Methods - Quality and Performance Management and Methods examines quality initiatives'
  ➜ Skipping stray line: 'within healthcare. Quality issues cover human resource management, employee performance and patient safety. This course focuses on quality'
  ➜ Skipping stray line: 'improvement initiatives and performance improvement with the health information management perspective.'
  ➜ Skipping stray line: 'C816 - Healthcare System Applications - Healthcare System Applications introduces students to information systems. This course includes'
  ➜ Skipping stray line: 'important topics related to management of information systems (MIS), such as system development and business continuity. The course also provides'
  ➜ Skipping stray line: 'an overview of management tools and issue tracking systems. This course has no prerequisites.'
  ➜ Skipping stray line: 'C818 - Health Information Management Capstone - tbd'
  ➜ Skipping stray line: 'C820 - Professional Leadership and Communication for Healthcare - The Leadership and Communication course is designed to help students'
  ➜ Skipping stray line: 'prepare for success in the online environment at Western Governors University and beyond. Student success starts with the social support and self-'
  ➜ Skipping stray line: 'reflective awareness that will prepare students to weather the challenges of academic programs. In this course students will participate in group'
  ➜ Skipping stray line: 'activities and complete a number of individual assignments. The group activities are aimed at finding support and insight from other students. The'
  ➜ Skipping stray line: 'assignments are intended to give the student an opportunity to reflect about where they are and where they would like to be. The activities in each'
  ➜ Skipping stray line: 'group meeting are designed to give students several tools they can use to achieve success. This course is designed as a eight-part intensive learning'
  ➜ Skipping stray line: 'experience. Students will attend eight group meetings during the term. At each meeting students will engage in activities that help them understand'
  ➜ Skipping stray line: 'their own educational journey and find support and inspiration in the journey of others.'
  ➜ Skipping stray line: 'C821 - Nursing Education Field Experience - Nurse educators teach the next generation of nurses, in academic and clinical settings. They must be'
  ➜ Skipping stray line: 'licensed to practice nursing and have considerable hands-on nursing experience, as well as advanced training and education. The Nursing Education'
  ➜ Skipping stray line: 'Field Experience provides the graduate student with an opportunity to work collaboratively within the organization where he/she is employed to'
  ➜ Skipping stray line: 'address an identified nursing problem, need, or gap in current practices. Students then work to promote a practice change, quality improvement, or'
  ➜ Skipping stray line: 'innovation that is based on the existing evidence and best practices.'
  ➜ Skipping stray line: 'C822 - Nurse Educator Capstone - The capstone is a scholarly project that addresses an issue, need, gap or opportunity resulting from an identified'
  ➜ Skipping stray line: 'in nursing education or healthcare need. The capstone project provides the opportunity for the graduate nursing student to demonstrate competency'
  ➜ Skipping stray line: 'through design, application and evaluation of advanced nursing knowledge and higher level leadership skills for ultimately improving health outcomes'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 166'
  ➜ Skipping stray line: 'C823 - Nursing Leadership and Management Field Experience - Today’s rapidly changing healthcare delivery environment requires nurse'
  ➜ Skipping stray line: 'executives to effectively lead change to achieve organization goals and improvements. Registered nurses needs to hold an active nursing license and'
  ➜ Skipping stray line: 'have considerable clinical experience and education to become a nurse leader or manager. The Nursing Leadership and Management Field'
  ➜ Skipping stray line: 'Experience provides the graduate student with an opportunity to work collaboratively within the organization where he/she is employed to address an'
  ➜ Skipping stray line: 'identified nursing problem, need, or gap in current practices. Students then work to promote a practice change, quality improvement, or innovation that'
  ➜ Skipping stray line: 'is based on the existing evidence and best practices.'
  ➜ Skipping stray line: 'C824 - Nursing Leadership and Management Capstone - The Nursing Leadership and Management capstone course provides the student with an'
  ➜ Skipping stray line: 'opportunity to engage in a project that is actionable, relevant, highly collaborative, and based on real world experience. The capstone involves'
  ➜ Skipping stray line: 'development of a scholarly project that addresses a problem, need, or gap in current practices. The capstone project provides an opportunity for the'
  ➜ Skipping stray line: 'graduate nursing student to demonstrate competency through design, application, and evaluation of a planned practice change, quality improvement,'
  ➜ Skipping stray line: 'or innovation that is based on the existing evidence and best practices.'
  ➜ Skipping stray line: 'C825 - Introduction to Nursing Arts and Science - Intro to Nursing Clinical Skills is a skills lab section in which students will have the opportunity to'
  ➜ Skipping stray line: 'practice skills learned in didactic in a learning lab. Students will be introduced to and learn the fundamental skills of nursing, including: assessment,'
  ➜ Skipping stray line: 'vital signs, principles of safety, equipment uses, bathing, oral hygiene, perineal care, principles of asepsis, ambulating, transferring, range of motion,'
  ➜ Skipping stray line: 'restraints, fall prevention, and communication. Students successful in the lab assessment will be considered for admission to the BSRN program.'
  ➜ Skipping stray line: 'C826 - Community Health and Population-Focused Nursing - Community Health and Population-Focused Nursing will assist students in becoming'
  ➜ Skipping stray line: 'familiar with foundational theories and models of health promotion applicable to the community health nursing environment. Students will develop an'
  ➜ Skipping stray line: 'understanding of how policies and resources influence the health of populations. Focus is concentrated on learning the importance of a community'
  ➜ Skipping stray line: 'assessment to improve or resolve a community health issue. Students will be introduced to the relationships between cultures and communities and'
  ➜ Skipping stray line: 'the steps necessary to create community collaboration with the goal to improve or resolve community health issues in a variety of settings. Students'
  ➜ Skipping stray line: 'will gain a greater understanding of health systems in the United States, global health issues, quality-of-life issues, cultural influences, community'
  ➜ Skipping stray line: 'collaboration, and emergency preparedness.'
  ➜ Skipping stray line: 'C828 - Teacher Performance Assessment in Elementary Education - The Teacher Performance Assessment is a culmination of the wide variety of'
  ➜ Skipping stray line: 'skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a'
  ➜ Skipping stray line: 'collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C829 - Teacher Performance Assessment in Elementary and Special Education - The Teacher Performance Assessment is a culmination of the'
  ➜ Skipping stray line: 'wide variety of skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you'
  ➜ Skipping stray line: 'will showcase a collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C830 - Teacher Performance Assessment in Mathematics Education - The Teacher Performance Assessment is a culmination of the wide variety'
  ➜ Skipping stray line: 'of skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase'
  ➜ Skipping stray line: 'a collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C836 - Fundamentals of Information Security - This course lays the foundation for understanding terminology, principles, processes and best'
  ➜ Skipping stray line: 'practices of information security at local and global levels. It further provides an overview of basic security vulnerabilities and countermeasures for'
  ➜ Skipping stray line: 'protecting information assets through planning and administrative controls within an organization.'
  ➜ Skipping stray line: 'C837 - Managing Web Security - Almost all businesses and organizations require a web presence. The security needs, demands, and defenses for'
  ➜ Skipping stray line: 'these online environments differ from those of an isolated single computer or intranet. This course introduces best practices for preventing security'
  ➜ Skipping stray line: 'breaches by applying web security protocols, firewalls, and system configurations. This course prepares students for the Web Security Associate (CIW'
  ➜ Skipping stray line: 'WSA) certification exam.'
  ➜ Skipping stray line: 'C838 - Managing Cloud Security - Many of today’s companies and organizations have outsourced data management, availability, and operational'
  ➜ Skipping stray line: 'processes through cloud computing. In this course, students design solutions for cloud-based platforms and operations that maintain data availability'
  ➜ Skipping stray line: 'while protecting the confidentiality and integrity of information. This includes security controls, disaster recovery plans, and continuity management'
  ➜ Skipping stray line: 'plans that address physical, logical, and human factors. This course prepares students for the Certified Cloud Security Professional (ISC2 CCSP)'
  ➜ Skipping stray line: 'certification exam.'
  ➜ Skipping stray line: 'C839 - Introduction to Cryptography - This course provides students with knowledge of cryptographic algorithms, protocols, and their uses in the'
  ➜ Skipping stray line: 'protection of information in various states. This course prepares students for the Certified Encryption Specialist (EC-Council ECES) certification exam.'
  ➜ Skipping stray line: 'C840 - Digital Forensics in Cybersecurity - Digital forensics, the science of investigating cybercrimes, seeks evidence that reveals who, what, when,'
  ➜ Skipping stray line: 'where, and how threats compromise information. This course examines the relationships between incident categories, evidence handling, and incident'
  ➜ Skipping stray line: 'management. Students identify consequences associated with cyber threats and security laws using a variety of tools to recognize and recover from'
  ➜ Skipping stray line: 'unauthorized, malicious activities.'
  ➜ Skipping stray line: 'C841 - Legal Issues in Information Security - Security information professionals have the role and responsibility for knowing and applying ethical'
  ➜ Skipping stray line: 'and legal principles and processes that define specific needs and demands to assure data integrity within an organization. This course addresses the'
  ➜ Skipping stray line: 'laws, regulations, authorities, and directives that inform the development of operational policies, best practices, and training to assure legal'
  ➜ Skipping stray line: 'compliance and to minimize internal and external threats. Students analyze legal constraints and liability concerns that threaten information security'
  ➜ Skipping stray line: 'within an organization and develop disaster recovery plans to assure business continuity.'
  ➜ Skipping stray line: 'C842 - Cyber Defense and Countermeasures - Traditional defenses such as firewalls, security protocols, and encryption sometimes fail to stop'
  ➜ Skipping stray line: 'attackers determined to access and compromise data. This course provides the fundamental skills to handle and respond to the computer security'
  ➜ Skipping stray line: 'incidents in an information system. The course addresses various underlying principles and techniques for detecting and responding to current and'
  ➜ Skipping stray line: 'emerging computer security threats. Students learn how to handle various types of incidents, risk assessment methodologies, and various laws and'
  ➜ Skipping stray line: 'policy related to incident handling. This course prepares students for the Certified Incident Handler (EC-Council ECIH) certification exam.'
  ➜ Skipping stray line: 'C843 - Managing Information Security - This course expands on fundamentals of information security by providing an in-depth analysis of the'
  ➜ Skipping stray line: 'relationship between an information security program and broader business goals and objectives. Students develop knowledge and experience in the'
  ➜ Skipping stray line: 'development and management of an information security program essential to ongoing education, career progression, and value delivery to'
  ➜ Skipping stray line: 'enterprises. Students apply best practices to develop an information security governance framework, analyze mitigation in the context of compliance'
  ➜ Skipping stray line: 'requirements, align security programs with security strategies and best practices, and recommend procedures for managing security strategies that'
  ➜ Skipping stray line: 'minimize risk to an organization.'
  ➜ Skipping stray line: 'C844 - Emerging Technologies in Cybersecurity - The continual evolution of technology means that cybersecurity professionals must be able to'
  ➜ Skipping stray line: 'analyze and evaluate new technologies in information security such as wireless, mobile, and internet technologies. Students review the adoption'
  ➜ Skipping stray line: 'process which prepares an organization for the risks and challenges of implementing new technologies. This course focuses on comparison of'
  ➜ Skipping stray line: 'evolving technologies to address the security requirements of an organization. Students learn underlying principles critical to the operation of secure'
  ➜ Skipping stray line: 'networks and adoption of new technologies.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 167'
  ➜ Skipping stray line: 'C845 - Information Systems Security - IT security professionals must be prepared for the operational demands and responsibilities of security'
  ➜ Skipping stray line: 'practitioners, including authentication, security testing, intrusion detection and prevention, incident response and recovery, attacks and'
  ➜ Skipping stray line: 'countermeasures, cryptography, and malicious code countermeasures. This course provides a comprehensive, up-to-date global body of knowledge'
  ➜ Skipping stray line: 'that ensures students have the right information security knowledge and skills to be successful in IT operational roles to mitigate security concerns and'
  ➜ Skipping stray line: 'guard against the impact of malicious activity. Students demonstrate how to manage and restrict access control systems; administer policies,'
  ➜ Skipping stray line: 'procedures, and guidelines that are ethical and compliant with laws and regulations; implement risk management and incident handling processes;'
  ➜ Skipping stray line: 'execute cryptographic systems to protect data; manage network security; and analyze common attack vectors and countermeasures to assure'
  ➜ Skipping stray line: 'information integrity and confidentiality in various systems. This course prepares students for the Systems Security Certified Practitioner (ISC2 SSCP)'
  ➜ Skipping stray line: 'certification exam.'
  ➜ Skipping stray line: 'C846 - Business of IT - Applications - Business of IT – Applications examines Information Technology Infrastructure Library ( ITIL®) terminology,'
  ➜ Skipping stray line: 'structure, policies, and concepts. Focusing on the management of Information Technology (IT) infrastructure, development, and operations, students'
  ➜ Skipping stray line: 'will explore the core principles of ITIL practices for service management to prepare them for careers as IT professionals, business managers, and'
  ➜ Skipping stray line: 'business process owners. This course has no prerequisites.'
  ➜ Skipping stray line: 'C847 - Fundamentals of Diversity, Inclusion, and Exceptional Learners - Students will learn the history of inclusion and develop practical'
  ➜ Skipping stray line: 'strategies for modifying instruction, in accordance with legal expectations, to meet the needs of a diverse population of learners. This population'
  ➜ Skipping stray line: 'includes learners with disabilities, gifted and talented learners, culturally diverse learners, and English language learners.'
  ➜ Skipping stray line: 'C848 - Fundamentals of Diversity, Inclusion, and Exceptional Learners - Students will learn the history of inclusion and develop practical'
  ➜ Skipping stray line: 'strategies for modifying instruction, in accordance with legal expectations, to meet the needs of a diverse population of learners. This population'
  ➜ Skipping stray line: 'includes learners with disabilities, gifted and talented learners, culturally diverse learners, and English language learners.'
  ➜ Skipping stray line: 'C853 - Teacher Performance Assessment in English - The Teacher Performance Assessment serves as the final, culminating project in your'
  ➜ Skipping stray line: 'degree program. It is a formal, scholarly piece of work. You are required to design and develop a two-week-long (minimum), standards-based'
  ➜ Skipping stray line: 'curriculum unit. You will then implement (i.e., teach) the unit in your classroom and gather data as to its effectiveness.'
  ➜ Skipping stray line: 'C860 - Innovation Project - This course explores healthcare innovation by having you compare examples, apply concepts, perform research and'
  ➜ Skipping stray line: 'analysis, and create original work. You will complete and submit an Innovation proposal form describing a new technology to decrease clinic wait'
  ➜ Skipping stray line: 'times.'
  ➜ Skipping stray line: 'C861 - Healthcare Systems Project - You will explore healthcare systems by evaluating the needs of a group medical center to expand care to a'
  ➜ Skipping stray line: 'growing population of underserved and underinsured patients. You will assess the value of affiliation with other providers and potential payers, analyze'
  ➜ Skipping stray line: 'several healthcare organizations as potential partners for affiliation, and determine what type of affiliation structure will best meet the needs of the'
  ➜ Skipping stray line: 'medical center. This project culminates in the creation of a proposed “affiliation recommendation” that summarizes the assessment of three candidate'
  ➜ Skipping stray line: 'organizations.'
  ➜ Skipping stray line: 'C862 - Healthcare Quality Project - You will use Six Sigma principles and strategies, as well as other quality concepts (DMAIC), to address problems'
  ➜ Skipping stray line: 'of high patient wait times and poor physician communication at a highly functioning level 1 trauma center. You will develop a healthcare quality'
  ➜ Skipping stray line: 'improvement process that implements the five phases of a Six Sigma approach. You will also analyze challenges executives face in identifying,'
  ➜ Skipping stray line: 'synthesizing, and acting upon healthcare data to improve operations and patient-centered care.'
  ➜ Skipping stray line: 'C863 - Healthcare Financial Management Project - You will develop a value-based payment model and strategic implementation plan to provide'
  ➜ Skipping stray line: 'high-quality, most cost-effective care to a high-risk patient population. The organization is currently not equipped to take on the risks inherent in the'
  ➜ Skipping stray line: 'population of Southern Florida. To create a successful plan, you will analyze and interpret data to determine the population's need and justify that their'
  ➜ Skipping stray line: 'organization can financially support and sustain the new system.'
  ➜ Skipping stray line: 'C864 - Enterprise Risk Management Project - You will take on the role of a consulting risk manager for the Phoenix VA Health Care System'
  ➜ Skipping stray line: '(PVAHCS) to address the Office of Inspector General’s report. You begin by identifying and analyzing risk issues embedded within a real-world'
  ➜ Skipping stray line: 'scenario. You will use enterprise risk management (ERM) concepts to create and define implementation strategies for an ERM plan to mitigate and'
  ➜ Skipping stray line: 'manage the risks identified. Finally, you will recommend a new system model.'
  ➜ Skipping stray line: 'C865 - Population Health and Care Coordination Project - You will design a chronic care population management plan and change a health'
  ➜ Skipping stray line: 'system's model to one that focuses on patient and family. You will review a model from Mississippi that has expanded Medicaid where the'
  ➜ Skipping stray line: 'opportunities to develop partnerships are ideal. To help control costs, you will develop a wellness and prevention program alongside the disease'
  ➜ Skipping stray line: 'management model already being used in a system of their choice.'
  ➜ Skipping stray line: 'C870 - Human Anatomy and Physiology - This course examines the structures and functions of the human body and covers anatomical'
  ➜ Skipping stray line: 'terminology, cells and tissues, and organ systems. Students will use a dissection lab to study the healthy state of the organ systems of the human'
  ➜ Skipping stray line: 'body, including the digestive, skeletal, sensory, respiratory, reproductive, nervous, muscular, cardiovascular, lymphatic, integumentary, endocrine, and'
  ➜ Skipping stray line: 'renal systems. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C871 - MA, Science Education Teacher Performance Assessment - MA, Science Education (5-12 Geo) Teacher Performance Assessment'
  ➜ Skipping stray line: 'contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct evidence of the'
  ➜ Skipping stray line: 'candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect on the learning'
  ➜ Skipping stray line: 'process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional unit consisting'
  ➜ Skipping stray line: 'of seven components: 1) Contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision making, 6) analysis of'
  ➜ Skipping stray line: 'student learning, and 7) self-evaluation and reflection.'
  ➜ Skipping stray line: 'C873 - Teacher Performance Assessment in Elementary Education - The Teacher Performance Assessment is a culmination of the wide variety'
  ➜ Skipping stray line: 'of skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase'
  ➜ Skipping stray line: 'a collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C874 - MA, Mathematics Education (5-12) Teacher Performance Assessment - MA, Mathematics Education (5-12) Teacher Performance'
  ➜ Skipping stray line: 'Assessment contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct'
  ➜ Skipping stray line: 'evidence of the candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect'
  ➜ Skipping stray line: 'on the learning process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional'
  ➜ Skipping stray line: 'unit consisting of seven components: 1) Contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision'
  ➜ Skipping stray line: 'making, 6) analysis of student learning, and 7) self-evaluation and reflection.'
  ➜ Skipping stray line: 'C875 - Human Anatomy and Physiology - This course examines the structures and functions of the human body and covers anatomical'
  ➜ Skipping stray line: 'terminology, cells and tissues, and organ systems. Students will use a dissection lab to study the healthy state of the organ systems of the human'
  ➜ Skipping stray line: 'body, including the digestive, skeletal, sensory, respiratory, reproductive, nervous, muscular, cardiovascular, lymphatic, integumentary, endocrine, and'
  ➜ Skipping stray line: 'renal systems. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C876 - Conceptual Physics - Conceptual Physics provides a broad, conceptual overview of the main principles of physics, including mechanics,'
  ➜ Skipping stray line: 'thermodynamics, wave motion, modern physics, and electricity and magnetism. Problem-solving activities and laboratory experiments provide'
  ➜ Skipping stray line: 'students with opportunities to apply these main principles, creating a strong foundation for future studies in physics. There are no prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 168'
  ➜ Skipping stray line: 'C877 - Mathematical Modeling and Applications - Mathematical Modeling and Applications applies mathematics, such as differential equations,'
  ➜ Skipping stray line: 'discrete structures, and statistics to formulate models and solve real-world problems. This course emphasizes improving students’ critical thinking to'
  ➜ Skipping stray line: 'help them understand the process and application of mathematical modeling. Probability and Statistics II and Calculus II are prerequisites.'
  ➜ Skipping stray line: 'C878 - Mathematical Modeling and Applications - Mathematical Modeling and Applications applies mathematics, such as differential equations,'
  ➜ Skipping stray line: 'discrete structures, and statistics to formulate models and solve real-world problems. This course emphasizes improving students’ critical thinking to'
  ➜ Skipping stray line: 'help them understand the process and application of mathematical modeling. Probability and Statistics II and Calculus II are prerequisites.'
  ➜ Skipping stray line: 'C879 - Algebra for Secondary Mathematics Teaching - Algebra for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of algebra. Secondary teachers should have an understanding of the following: algebra as an extension of number, operation, and'
  ➜ Skipping stray line: 'quantity; various ideas of equivalence as it pertains to algebraic structures; patterns of change as covariation between quantities; connections'
  ➜ Skipping stray line: 'between representations (tables, graphs, equations, geometric models, context); and the historical development of content and perspectives from'
  ➜ Skipping stray line: 'diverse cultures. In particular, the focus should be on deeper understanding of rational numbers, ratios and proportions, meaning and use of variables,'
  ➜ Skipping stray line: 'functions (e.g., exponential, logarithmic, polynomials, rational, quadratic), and inverses. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C880 - Algebra for Secondary Mathematics Teaching - Algebra for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of algebra. Secondary teachers should have an understanding of the following: algebra as an extension of number, operation, and'
  ➜ Skipping stray line: 'quantity; various ideas of equivalence as it pertains to algebraic structures; patterns of change as covariation between quantities; connections'
  ➜ Skipping stray line: 'between representations (tables, graphs, equations, geometric models, context); and the historical development of content and perspectives from'
  ➜ Skipping stray line: 'diverse cultures. In particular, the focus should be on deeper understanding of rational numbers, ratios and proportions, meaning and use of variables,'
  ➜ Skipping stray line: 'functions (e.g., exponential, logarithmic, polynomials, rational, quadratic), and inverses. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C881 - Geometry for Secondary Mathematics Teaching - Geometry for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of geometry. Secondary teachers in this course will develop a deep understanding of constructions and transformations,'
  ➜ Skipping stray line: 'congruence and similarity, analytic geometry, solid geometry, conics, trigonometry, and the historical development of content. Calculus I is a'
  ➜ Skipping stray line: 'prerequisite for this course.'
  ➜ Skipping stray line: 'C882 - Geometry for Secondary Mathematics Teaching - Geometry for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of geometry. Secondary teachers in this course will develop a deep understanding of constructions and transformations,'
  ➜ Skipping stray line: 'congruence and similarity, analytic geometry, solid geometry, conics, trigonometry, and the historical development of content. Calculus I is a'
  ➜ Skipping stray line: 'prerequisite for this course.'
  ➜ Skipping stray line: 'C883 - Statistics and Probability for Secondary Mathematics Teaching - Statistics and Probability for Secondary Mathematics Teaching explores'
  ➜ Skipping stray line: 'important conceptual underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional'
  ➜ Skipping stray line: 'practices to support and assess the learning of statistics and probability. Secondary teachers should have a deep understanding of summarizing and'
  ➜ Skipping stray line: 'representing data, study design and sampling, probability, testing claims and drawing conclusions, and the historical development of content and'
  ➜ Skipping stray line: 'perspectives from diverse cultures. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C884 - Statistics and Probability for Secondary Mathematics Teaching - Statistics and Probability for Secondary Mathematics Teaching explores'
  ➜ Skipping stray line: 'important conceptual underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional'
  ➜ Skipping stray line: 'practices to support and assess the learning of statistics and probability. Secondary teachers should have a deep understanding of summarizing and'
  ➜ Skipping stray line: 'representing data, study design and sampling, probability, testing claims and drawing conclusions, and the historical development of content and'
  ➜ Skipping stray line: 'perspectives from diverse cultures. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C885 - Advanced Calculus - Advanced Calculus examines rigorous reconsideration and proofs involving calculus. Topics include real-number'
  ➜ Skipping stray line: 'systems, sequences, limits, continuity, differentiation, and integration. This course emphasizes students’ ability to apply critical thinking to concepts to'
  ➜ Skipping stray line: 'analyze the connections between definitions and properties. Calculus III and Linear Algebra are prerequisites.'
  ➜ Skipping stray line: 'C886 - Advanced Calculus - Advanced Calculus examines rigorous reconsideration and proofs involving calculus. Topics include real-number'
  ➜ Skipping stray line: 'systems, sequences, limits, continuity, differentiation, and integration. This course emphasizes students’ ability to apply critical thinking to concepts to'
  ➜ Skipping stray line: 'analyze the connections between definitions and properties. Calculus III and Linear Algebra are prerequisites.'
  ➜ Skipping stray line: 'C887 - MA, Mathematics Education (5-9) Teacher Performance Assessment - MA, Mathematics Education (5-9) Teacher Performance'
  ➜ Skipping stray line: 'Assessment contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct'
  ➜ Skipping stray line: 'evidence of the candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect'
  ➜ Skipping stray line: 'on the learning process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional'
  ➜ Skipping stray line: 'unit consisting of seven components: 1) contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision making,'
  ➜ Skipping stray line: '6) analysis of student learning, and 7) self-evaluation and reflection.'
  ➜ Skipping stray line: 'C888 - Molecular and Cellular Biology - Molecular and Cellular Biology provides students seeking licensure or endorsement in biology, grades 5-12,'
  ➜ Skipping stray line: 'with an introduction to the area of molecular and cellular biology. Molecular and Cellular Biology examines the cell as an organism emphasizing'
  ➜ Skipping stray line: 'molecular basis of cell structure and functions of biological macromolecules, subcellular organelles, intracellular transport, cell division, and biological'
  ➜ Skipping stray line: 'reactions. Prerequisite: Introduction to Biology.'
  ➜ Skipping stray line: 'C889 - Molecular and Cellular Biology - Molecular and Cellular Biology provides students seeking licensure or endorsement in biology, grades 5-12,'
  ➜ Skipping stray line: 'with an introduction to the area of molecular and cellular biology. Molecular and Cellular Biology examines the cell as an organism emphasizing'
  ➜ Skipping stray line: 'molecular basis of cell structure and functions of biological macromolecules, subcellular organelles, intracellular transport, cell division, and biological'
  ➜ Skipping stray line: 'reactions. Prerequisite: Introduction to Biology.'
  ➜ Skipping stray line: 'C890 - Ecology and Environmental Science - Ecology and Environmental Science is an introductory course for undergraduate students seeking'
  ➜ Skipping stray line: 'initial licensure or endorsement in science education for grades 5–12. The course explores the relationships between organisms and their'
  ➜ Skipping stray line: 'environment, including population ecology, communities, adaptations, distributions, interactions, and the environmental factors controlling these'
  ➜ Skipping stray line: 'relationships. This course has no prerequisites.'
  ➜ Skipping stray line: 'C891 - Ecology and Environmental Science - Ecology and Environmental Science is an introductory course for graduate students seeking initial'
  ➜ Skipping stray line: 'licensure or endorsement in science education for grades 5–12. The course introduction to ecology and environmental science and explores the'
  ➜ Skipping stray line: 'relationships between organisms and their environment, including population ecology, communities, adaptations, distributions, interactions, and the'
  ➜ Skipping stray line: 'environmental factors controlling these relationships. This course has no prerequisites.'
  ➜ Skipping stray line: 'C892 - Geology II: Earth Systems - Geology II: Earth Systems provides undergraduate students seeking licensure or endorsement in science'
  ➜ Skipping stray line: 'education for grades 5-12 with an examination of the geosphere, atmosphere, hydrosphere, and biosphere, and the dynamic equilibrium of these'
  ➜ Skipping stray line: 'systems over geologic time. This course also examines the history of Earth and its life-forms, with an emphasis in meteorology. A prerequisite for this'
  ➜ Skipping stray line: 'course is Geology I: Physical.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 169'
  ➜ Skipping stray line: 'C893 - Geology II: Earth Systems - Geology II: Earth Systems provides graduate students seeking licensure or endorsement in science education'
  ➜ Skipping stray line: 'for grades 5-12 with an examination of the geosphere, atmosphere, hydrosphere, and biosphere, and the dynamic equilibrium of these systems over'
  ➜ Skipping stray line: 'geologic time. This course also examines the history of Earth and its life-forms, with an emphasis in meteorology. A prerequisite for this course is'
  ➜ Skipping stray line: 'Geology I: Physical.'
  ➜ Skipping stray line: 'C894 - Astronomy - This course provides undergraduate students seeking initial licensure or endorsement in geosciences for grades 5−12 with'
  ➜ Skipping stray line: 'essential knowledge of astronomy and explores Western history and basic physics of astronomy; phases of the moon and seasons; composition and'
  ➜ Skipping stray line: 'properties of solar system bodies; stellar evolution and remnants; properties and scale of objects and distances within the universe; and introductory'
  ➜ Skipping stray line: 'cosmology. A prerequisite for this course is General Physics.'
  ➜ Skipping stray line: 'C895 - Astronomy - This course provides graduate students seeking initial licensure or endorsement in geosciences for grades 5−12 with essential'
  ➜ Skipping stray line: 'knowledge of astronomy and explores Western history and basic physics of astronomy; phases of the moon and seasons; composition and properties'
  ➜ Skipping stray line: 'of solar system bodies; stellar evolution and remnants; properties and scale of objects and distances within the universe; and introductory cosmology.'
  ➜ Skipping stray line: 'A prerequisite for this course is General Physics.'
  ➜ Skipping stray line: 'C896 - Science Methods - Science Methods provides undergraduate students seeking initial licensure or endorsement in the sciences for grades'
  ➜ Skipping stray line: '5-12 with an introduction to science teaching methods and laboratory safety training. Course content focuses on designing and teaching with the three'
  ➜ Skipping stray line: 'dimensions of science: disciplinary core ideas, crosscutting concepts, and science and engineering practices. Laboratory safety training and'
  ➜ Skipping stray line: 'certification will include the proper use of personal protective equipment and safe laboratory practices and procedures in science classrooms. This'
  ➜ Skipping stray line: 'course has no prerequisites.'
  ➜ Skipping stray line: 'C897 - Mathematics: Content Knowledge - Mathematics: Content Knowledge is designed to help candidates refine and integrate the mathematics'
  ➜ Skipping stray line: 'content knowledge and skills necessary to become successful secondary mathematics teachers. A high level of mathematical reasoning skills and the'
  ➜ Skipping stray line: 'ability to solve problems are necessary to complete this course. Prerequisites for this course are College Geometry, Probability and Statistics I, and'
  ➜ Skipping stray line: 'Pre-Calculus.'
  ➜ Skipping stray line: 'C898 - Earth Science: Content Knowledge - This course covers the advanced content knowledge that a secondary Earth Science teachers is'
  ➜ Skipping stray line: 'expected to know and understand. Topics include basic scientific principles of Earth and Space Sciences, tectonics and internal Earth processes,'
  ➜ Skipping stray line: 'Earth materials and surface processes, history of the Earth and its Life-Forms, Earth's atmosphere and hydrosphhere, and astronomy.'
  ➜ Skipping stray line: 'C900 - Biology: Content Knowledge - This comprehensive course examines a student’s conceptual understanding of a broad range of biology'
  ➜ Skipping stray line: 'topics. High school biology teachers must help students make connections between isolated topics. For example, when studying hormones created by'
  ➜ Skipping stray line: 'endocrine glands traveling through the circulatory system to maintain homeostasis, a student is connecting many biology topics. This course starts'
  ➜ Skipping stray line: 'with macromolecules that make up cellular components and continues with understanding the many cellular processes that allow life to exist.'
  ➜ Skipping stray line: 'Connections are then made between genetics and evolution. Classification of organisms leads into plant and animal development that study the organ'
  ➜ Skipping stray line: 'systems and their role in maintaining homeostasis. The course finishes by studying ecology and how humans affect the environment.'
  ➜ Skipping stray line: 'C901 - Physics: Content Knowledge - Physics: Content Knowledge covers the advanced content knowledge that a secondary physics teacher is'
  ➜ Skipping stray line: 'expected to know and understand. Topics include mechanics, electricity and magnetism, optics and waves, heat and thermodynamics, modern'
  ➜ Skipping stray line: 'physics, atomic and nuclear structure, the history and nature of science, science technology, and social perspectives.'
  ➜ Skipping stray line: 'C902 - Middle School Science: Content Knowledge - This course covers the content knowledge that a middle-level science teacher is expected to'
  ➜ Skipping stray line: 'know and understand. Topics include scientific methodologies, history of science, basic science principles, physical sciences, life sciences, Earth and'
  ➜ Skipping stray line: 'space sciences, and the role of science and technology and their impact on society.'
  ➜ Skipping stray line: 'C903 - Middle School Mathematics: Content Knowledge - Mathematics: Middle School Content Knowledge is designed to help candidates refine'
  ➜ Skipping stray line: 'and integrate the mathematics content knowledge and skills necessary to become successful middle school mathematics teachers. A high level of'
  ➜ Skipping stray line: 'mathematical reasoning skills and the ability to solve problems are necessary to complete this course. Prerequisites for this course are College'
  ➜ Skipping stray line: 'Geometry, Probability and Statistics I, and Pre-Calculus.'
  ➜ Skipping stray line: 'C904 - Teacher Performance Assessment in Science - The Teacher Performance Assessment in Science is a culmination of the wide variety of'
  ➜ Skipping stray line: 'skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a'
  ➜ Skipping stray line: 'collection of your content, planning, instructional, and'
  ➜ Skipping stray line: 'reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C907 - Introduction to Biology - This course is a foundational introduction to the biological sciences. The overarching theories of life from biological'
  ➜ Skipping stray line: 'research are explored as well as the fundamental concepts and principles of the study of living organisms and their interaction with the environment.'
  ➜ Skipping stray line: 'Key concepts include how living organisms use and produce energy; how life grows, develops, and reproduces; how life responds to the environment'
  ➜ Skipping stray line: 'to maintain internal stability; and how life evolves and adapts to the environment.'
  ➜ Skipping stray line: 'C908 - Integrated Physical Sciences - This course provides students with an overview of the basic principles and unifying ideas of the physical'
  ➜ Skipping stray line: 'sciences: physics, chemistry, and Earth sciences. Course materials focus on scientific reasoning and practical and everyday applications of physical'
  ➜ Skipping stray line: 'science concepts to help students integrate conceptual knowledge with practical skills.'
  ➜ Skipping stray line: 'C909 - Elementary Reading Methods and Interventions - Elementary Reading Methods and Interventions provides students seeking initial teacher'
  ➜ Skipping stray line: 'licensure in elementary education with an in-depth look at best practices for developing the reading and writing skills of all students. Course content'
  ➜ Skipping stray line: 'examines the stages of literacy development, the balanced literacy approach, differentiation, technology integration, literacy-assessment, and the'
  ➜ Skipping stray line: 'comprehensive Response to Intervention (RTI) model used to identify and address the needs of learners who struggle with reading comprehension.'
  ➜ Skipping stray line: 'This course has no prerequisites.'
  ➜ Skipping stray line: 'C910 - Elementary Reading Methods and Interventions - Elementary Reading Methods and Interventions provides students seeking initial teacher'
  ➜ Skipping stray line: 'licensure in elementary education with an in-depth look at best practices for developing the reading and writing skills of all students. Course content'
  ➜ Skipping stray line: 'examines the stages of literacy development, the balanced literacy approach, differentiation, technology integration, literacy-assessment, and the'
  ➜ Skipping stray line: 'comprehensive Response to Intervention (RTI) model used to identify and address the needs of learners who struggle with reading comprehension.'
  ➜ Skipping stray line: 'This course has no prerequisites.'
  ➜ Skipping stray line: 'C912 - College Algebra - This course provides further application and analysis of algebraic concepts and functions through mathematical modeling of'
  ➜ Skipping stray line: 'real-world situations. Topics include: real numbers, algebraic expressions, equations and inequalities, graphs and functions, polynomial and rational'
  ➜ Skipping stray line: 'functions, exponential and logarithmic functions, and systems of linear equations.'
  ➜ Skipping stray line: 'C913 - Psychology for Educators - This course prepares candidates to meet the expectations of society and prepares future educators to support'
  ➜ Skipping stray line: 'classroom practice with research-validated concepts. The course helps future educators to create a framework for refining teaching skills that are'
  ➜ Skipping stray line: 'focused on the learner, through engaged inquiry of integrating theory, critical issues in psychology, classroom applications with diverse populations,'
  ➜ Skipping stray line: 'assessment, educational technology, and reflective teaching.'
  ➜ Skipping stray line: 'C914 - Teacher Performance Assessment in Mathematics Education - The Teacher Performance Assessment is a culmination of the wide variety'
  ➜ Skipping stray line: 'of skills learned during your time'
  ➜ Skipping stray line: 'in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of your content,'
  ➜ Skipping stray line: 'planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 170'
  ➜ Skipping stray line: 'C915 - Chemistry: Content Knowledge - Chemistry: Content Knowledge provides advanced instruction in the main areas of chemistry for which'
  ➜ Skipping stray line: 'secondary chemistry teachers are expected to demonstrate competency. Topics include matter and energy, thermochemistry, structure, bonding,'
  ➜ Skipping stray line: 'reactivity, biochemistry and organic chemistry, solutions, nature of science, technology and social perspectives, mathematics, and laboratory'
  ➜ Skipping stray line: 'procedures.'
  ➜ Skipping stray line: 'C925 - Earth: Inside and Out - Earth: Inside and Out explores the ways in which our dynamic planet evolved, and the processes and systems that'
  ➜ Skipping stray line: 'continue to shape it. Though the geologic record is incredibly ancient, it has only been studied intensely since the end of the nineteenth century. Since'
  ➜ Skipping stray line: 'then, research in fields such as geologic time, plate tectonics, climate change, exploration of the deep sea floor, and the inner earth have vastly'
  ➜ Skipping stray line: 'increased our understanding of geological processes. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C926 - Earth: Inside and Out - Earth: Inside and Out explores the ways in which our dynamic planet evolved, and the processes and systems that'
  ➜ Skipping stray line: 'continue to shape it. Though the geologic record is incredibly ancient, it has only been studied intensely since the end of the nineteenth century. Since'
  ➜ Skipping stray line: 'then, research in fields such as geologic time, plate tectonics, climate change, exploration of the deep sea floor, and the inner earth have vastly'
  ➜ Skipping stray line: 'increased our understanding of geological processes. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C930 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C931 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C932 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C933 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C934 - Preclinical Experiences in Elementary and Special Education - Preclinical Experiences in Elementary and Special Education provides'
  ➜ Skipping stray line: 'students the opportunity to observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence'
  ➜ Skipping stray line: 'necessary to be an effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the'
  ➜ Skipping stray line: 'classroom for the observations, students will be required to meet several requirements including a cleared background check, passing scores on the'
  ➜ Skipping stray line: 'state or WGU required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C935 - Preclinical Experiences in Elementary Education - Preclinical Experiences in Elementary Education provides students the opportunity to'
  ➜ Skipping stray line: 'observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an'
  ➜ Skipping stray line: 'effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the'
  ➜ Skipping stray line: 'observations, students will be required to meet several requirements including a cleared background check, passing scores on the state or WGU'
  ➜ Skipping stray line: 'required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C936 - Preclinical Experiences in Elementary Education - Preclinical Experiences in Elementary Education provides students the opportunity to'
  ➜ Skipping stray line: 'observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an'
  ➜ Skipping stray line: 'effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the'
  ➜ Skipping stray line: 'observations, students will be required to meet several requirements including a cleared background check, passing scores on the state or WGU'
  ➜ Skipping stray line: 'required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C937 - Preclinical Experiences in Science - Preclinical Experiences in Science provides students the opportunity to observe and participate in a'
  ➜ Skipping stray line: 'wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will'
  ➜ Skipping stray line: 'reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required'
  ➜ Skipping stray line: 'to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed'
  ➜ Skipping stray line: 'resume.'
  ➜ Skipping stray line: 'C938 - Preclinical Experiences in Science - Preclinical Experiences in Science provides students the opportunity to observe and participate in a'
  ➜ Skipping stray line: 'wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will'
  ➜ Skipping stray line: 'reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required'
  ➜ Skipping stray line: 'to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed'
  ➜ Skipping stray line: 'resume.'
  ➜ Skipping stray line: 'CQC2 - Calculus II - Calculus II is the study of the accumulation of change in relation to the area under a curve. It covers the knowledge and skills'
  ➜ Skipping stray line: 'necessary to apply integral calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include'
  ➜ Skipping stray line: 'antiderivatives; indefinite integrals; the substitution rule; Riemann sums; the Fundamental Theorem of Calculus; definite integrals; acceleration,'
  ➜ Skipping stray line: 'velocity, position, and initial values; integration by parts; integration by trigonometric substitution; integration by partial fractions; numerical integration;'
  ➜ Skipping stray line: 'improper integration; area between curves; volumes and surface areas of revolution; arc length; work; center of mass; separable differential equations;'
  ➜ Skipping stray line: 'direction fields; growth and decay problems; and sequences. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'CUA1 - Culture - Focuses on the nature and role of culture and the importance of cultural groups and cultural identity.'
  ➜ Skipping stray line: 'CWEL - Capstone Written Project in Educational Leadership - The capstone project will consist of the design and implementation of a short-term'
  ➜ Skipping stray line: 'datadriven school improvement initiative. Through the case study approach and during the capstone experience, you will identify one or more'
  ➜ Skipping stray line: 'measurable outcome improvement areas in your case study / practicum site. You will propose and develop short-term school improvement initiatives'
  ➜ Skipping stray line: 'and will then measure the outcomes and results of your implemented improvement initiatives.'
  ➜ Skipping stray line: 'CZC1 - Accounting II - Accounting II is a continuation of the topics that were addressed in Accounting I. Accounting II focuses on ways in which'
  ➜ Skipping stray line: 'accounting principles are used in business operations, deepening the student's understanding of Generally Accepted Accounting Principles (GAAP),'
  ➜ Skipping stray line: 'inventory, liabilities, and budgets. This course also introduces topics that are important for corporate accounting and financial analysis.'
  ➜ Skipping stray line: 'DPT1 - Physics: Electricity and Magnetism - Physics: Electricity and Magnetism addresses principles related to the physics of electricity and'
  ➜ Skipping stray line: 'magnetism. Students will study electric and magnetic forces and then apply that knowledge to the study of circuits with resistors and electromagnetic'
  ➜ Skipping stray line: 'induction and waves, focusing on such topics as: Electric charge and electric field, electric currents and resistance, magnetism, electromagnetic'
  ➜ Skipping stray line: 'induction and Faraday's law, and Maxwell's equation and electromagnetic waves.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 171'
  ➜ Skipping stray line: 'DPT2 - Physics: Electricity and Magnetism - Physics: Electricity and Magnetism addresses principles related to the physics of electricity and'
  ➜ Skipping stray line: 'magnetism. Students will study electric and magnetic forces and then apply that knowledge to the study of circuits with resistors and electromagnetic'
  ➜ Skipping stray line: 'induction and waves, focusing on such topics as: Electric charge and electric field, electric currents and resistance, magnetism, electromagnetic'
  ➜ Skipping stray line: 'induction and Faraday's law, and Maxwell's equation and electromagnetic waves.'
  ➜ Skipping stray line: 'DRC1 - Educational Assessment - Educational Assessment assists students in making appropriate data-driven instructional decisions by exploring'
  ➜ Skipping stray line: 'key concepts relevant to the administration, scoring, and interpretation of classroom assessments. Topics include ethical assessment practices,'
  ➜ Skipping stray line: 'designing assessments, aligning assessments, and utilizing technology for assessment.'
  ➜ Skipping stray line: 'DWP2 - Application of Elementary Social Studies Methods - Application of Elementary Social Studies Methods helps students learn how to'
  ➜ Skipping stray line: 'implement effective social studies instruction in the elementary classroom. Topics include social studies themes, promoting cultural diversity,'
  ➜ Skipping stray line: 'integrated social studies across the curriculum, social studies learning environments, assessing social studies understanding, differentiated instruction'
  ➜ Skipping stray line: 'for social studies, technology for social studies instruction, and standards-based social studies instruction. This course helps students to apply,'
  ➜ Skipping stray line: 'analyze, and reflect on effective elementary social studies instruction.'
  ➜ Skipping stray line: 'DZP2 - Application of Elementary Visual and Performing Arts Methods - Application of Elementary Visual and Performing Arts Methods helps'
  ➜ Skipping stray line: 'students learn how to implement effective visual and performing arts instruction in the elementary classroom. Topics include integrating arts across the'
  ➜ Skipping stray line: 'curriculum, music education, visual arts, dance and movement, dramatic arts, differentiated instruction for visual and performing arts, and promoting'
  ➜ Skipping stray line: 'cultural diversity through visual and performing arts instruction. This course helps students to apply, analyze, and reflect on effective elementary visual'
  ➜ Skipping stray line: 'and performing arts instruction.'
  ➜ Skipping stray line: 'EBP2 - Application of Elementary Physical Education and Health Methods - Applications of Elementary Physical Education and Health Methods'
  ➜ Skipping stray line: 'helps students learn how to implement effective physical and health education instruction in the elementary classroom. Topics include healthy'
  ➜ Skipping stray line: 'lifestyles, student safety, student nutrition, physical education, differentiated instruction for physical and health education, physical education across'
  ➜ Skipping stray line: 'the curriculum, and public policy in health and physical education. This course helps students to apply, analyze, and reflect on effective elementary'
  ➜ Skipping stray line: 'visual and performing arts instruction.'
  ➜ Skipping stray line: 'EFP1 - Cultural Studies and Diversity - Cultural Studies and Diversity focuses on the development of cultural awareness. Students will analyze the'
  ➜ Skipping stray line: 'role of culture in today’s world, develop culturally-responsive practices, and understand the barriers to and the benefits of diversity.'
  ➜ Skipping stray line: 'EFV1 - Behavioral Management and Intervention - Behavioral Management and Intervention explores the challenges of working with students with'
  ➜ Skipping stray line: 'emotional and behavioral disabilities and helps students learn about theories, interventions, practices, and assessments that can influence these'
  ➜ Skipping stray line: 'children's opportunities for success. It further helps students better be able to make decisions about how to strategize behavior'
  ➜ Skipping stray line: 'adjustments for individual students.'
  ➜ Skipping stray line: 'EFV2 - Behavioral Management and Intervention - Behavioral Management and Intervention explores the challenges of working with students with'
  ➜ Skipping stray line: 'emotional and behavioral disabilities and helps students learn about theories, interventions, practices, and assessments that can influence these'
  ➜ Skipping stray line: 'children's opportunities for success. It further helps students better be able to make decisions about how to strategize behavior adjustments for'
  ➜ Skipping stray line: 'individual students.'
  ➜ Skipping stray line: 'ELO1 - Subject Specific Pedagogy: ELL - Subject Specific Pedagogy: ELL integrates aspects of pedagogy, assessment, and professionalism in'
  ➜ Skipping stray line: 'English Language Learning (ELL). A student develops and assesses aspects of language curriculum development including second language'
  ➜ Skipping stray line: 'instruction, methods of second language assessment, and legal policy issues.'
  ➜ Skipping stray line: 'EST1 - Ethical Situations in Business - Ethical Situations in Business explores various scenarios in business and helps students learn to develop'
  ➜ Skipping stray line: 'ethical and socially responsible courses of action. Students will also learn to develop an appropriate and comprehensive ethics program for a business'
  ➜ Skipping stray line: 'venture.'
  ➜ Skipping stray line: 'EXP2 - College Geometry - College Geometry covers the knowledge and skills necessary to apply geometry to model and solve real-life problems, to'
  ➜ Skipping stray line: 'do formal axiomatic proofs in geometry, and to use dynamic technology to explore geometry. Topics include axiomatic systems and analytic proof;'
  ➜ Skipping stray line: 'non-Euclidean geometries; construction, analytic, and synthetic methods for investigating and proving properties and relationships of two- and three-'
  ➜ Skipping stray line: 'dimensional objects; geometric transformations, tessellations, and using inductive reasoning; concrete models; and dynamic technology to conduct'
  ➜ Skipping stray line: 'geometric investigations. College Algebra and Pre-Calculus are prerequisites for this course.'
  ➜ Skipping stray line: 'FCC1 - Introduction to Special Education, Law and Legal Issues - Introduction to Special Education, Law and Legal Issues introduces the history'
  ➜ Skipping stray line: 'and nature of special education and how it relates to general education, as well as specific legal acts and concepts governing it. Topics include history'
  ➜ Skipping stray line: 'of special education, the Individuals with Disabilities Education Act, the No Child Left Behind Act, FAPE (free, appropriate public education), and least'
  ➜ Skipping stray line: 'restrictive environments.'
  ➜ Skipping stray line: 'FCC2 - Introduction to Special Education, Law and Legal Issues, Policies and Procedures - Introduction to Special Education, Law and Legal'
  ➜ Skipping stray line: 'Issues, Policies and Procedures introduces the history and nature of special education and how it relates to general education, as well as specific'
  ➜ Skipping stray line: 'legal acts and concepts governing it. Topics include history of special education, the Individuals with Disabilities Education Act, the No Child Left'
  ➜ Skipping stray line: 'Behind Act, FAPE (free, appropriate public education), and least restrictive environments.'
  ➜ Skipping stray line: 'FEA1 - Field Experience for ELL - Field Experience for ELL is the field experience component of the English Language Learning program. In this'
  ➜ Skipping stray line: 'experience, students are required to complete a minimum of 15 hours of observations at both elementary and secondary levels. Additionally, a'
  ➜ Skipping stray line: 'supervised teaching experience that is face-to-face with English language learners according to the minimum time requirements of your state is'
  ➜ Skipping stray line: 'required. The purpose of this course is to assess the ability of the student including their engagement in field experience activities, ability to reflect on'
  ➜ Skipping stray line: 'and then plan standards-based instruction in ELL, and their ability to locate and effectively use resources for teaching ELL to meet the needs of their'
  ➜ Skipping stray line: 'individual students.'
  ➜ Skipping stray line: 'FJC1 - Psychoeducational Assessment Practices and IEP Development/Implementation - Psychoeducational Assessment Practices and IEP'
  ➜ Skipping stray line: 'Development/Implementation prepares students to apply knowledge the IEP as they work with students who have mild to moderate disabilities in a'
  ➜ Skipping stray line: 'wide variety of possible situations, all with an emphasis on cross-categorical inclusion. It helps students gain fluency in their understanding of the 13'
  ➜ Skipping stray line: 'disability categories, assessment, curriculum, and instruction.'
  ➜ Skipping stray line: 'FJC2 - Psychoeducational Assessment Practices and IEP Development/Implementation - Psychoeducational Assessment Practices and IEP'
  ➜ Skipping stray line: 'Development/Implementation prepares students to apply knowledge the IEP as they work with students who have mild to moderate disabilities in a'
  ➜ Skipping stray line: 'wide variety of possible situations, all with an emphasis on cross-categorical inclusion. It helps students gain fluency in their understanding of the 13'
  ➜ Skipping stray line: 'disability categories, assessment, curriculum, and instruction.'
  ➜ Skipping stray line: 'FLC1 - Instructional Models and Design, Supervision and Culturally Response Teaching - Instructional Models and Design, Supervision and'
  ➜ Skipping stray line: 'Culturally Response Teaching helps students understand the role of special education in the development of instruction, why this field exists separate'
  ➜ Skipping stray line: 'from and in conjunction with general education, where it is going, and how they can help coordinate inclusion for students. Students will gain expertise'
  ➜ Skipping stray line: 'in developing instructional, curricular, and environmental interventions based on assessment data and student need.'
  ➜ Skipping stray line: 'FLC2 - Instructional Models and Design, Supervision and Culturally Responsive Teaching - Instructional Models and Design, Supervision and'
  ➜ Skipping stray line: 'Culturally Responsive Teaching helps students understand the role of special education in the development of instruction, why this field exists'
  ➜ Skipping stray line: 'separate from and in conjunction with general education, where it is going, and how they can help coordinate inclusion for students. Students will gain'
  ➜ Skipping stray line: 'expertise in developing instructional, curricular, and environmental interventions based on assessment data and student need.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 172'
  ➜ Skipping stray line: 'FVC1 - Global Business - This course provides an introduction to global business. The advantages of global production and the benefits of trade are'
  ➜ Skipping stray line: 'critical aspects of global business. Many factors influence global business, such as transparency, geography, corruption, intellectual property'
  ➜ Skipping stray line: 'protections, outsourcing and off-shoring, operation management, and generally accepted accounting principles.'
  ➜ Skipping stray line: 'FXT2 - Disaster Recovery Planning, Prevention and Response - This course prepares students to plan and execute industry best practices related'
  ➜ Skipping stray line: 'to conducting organization-wide information assurance initiatives and to preparing an organization for implementing a comprehensive Information'
  ➜ Skipping stray line: 'Assurance Management program.'
  ➜ Skipping stray line: 'HMP1 - Cases in Advanced Human Resource Management - During Cases in Advanced Human Resource Management students apply their'
  ➜ Skipping stray line: 'knowledge of human resource management by completing a case study. Students will apply critical human resource strategies in the areas of'
  ➜ Skipping stray line: 'legal/regulatory compliance, recruitment and selection of personnel, performance and feedback mechanisms, and financial and benefits'
  ➜ Skipping stray line: 'compensation.'
  ➜ Skipping stray line: 'IDC1 - Foundations of Instructional Design - Foundations of Instructional Design provides an overview of how to select the most appropriate'
  ➜ Skipping stray line: 'learning theories, design processes, and instructional strategies based on learner audience, instructional setting, and current and desired state of'
  ➜ Skipping stray line: 'learning.'
  ➜ Skipping stray line: 'IYT2 - Introduction to Curriculum Theory - For over 200 years, educators in the United States have debated the purpose of education. Should'
  ➜ Skipping stray line: 'education be for enlightenment or to prepare students for the life of work? Should education be for many or for a select few? These questions continue'
  ➜ Skipping stray line: 'to be debated today. Through curriculum theory and reflection, educators have an educational framework by which to understand how theory and'
  ➜ Skipping stray line: 'one's philosophical views can impact the design, development, and implementation of curriculum and instruction. With this in mind, Introduction to'
  ➜ Skipping stray line: 'Curriculum Theory focuses on exploring and applying an understanding of Scholar Academic, Social Efficiency, Learner Centered, and Social'
  ➜ Skipping stray line: 'Reconstruction ideologies in various instructional settings and on the development on one’s own curriculum philosophy.'
  ➜ Skipping stray line: 'IZT2 - Learning Theories - Learning Theories focuses on the complexity of the current learning environment and how behaviorism, cognitivism,'
  ➜ Skipping stray line: 'constructivism, and personal learning philosophy can assist in the development of appropriate curriculum and instruction.'
  ➜ Skipping stray line: 'JIT2 - Risk Management - Content focuses on categorizing levels of risk and understanding how risk can impact the operations of the business'
  ➜ Skipping stray line: 'through a scenario involving the creation of a risk management program and business continuity program for a company and a business situation'
  ➜ Skipping stray line: 'reacting to a crisis/disaster situation affecting the company.'
  ➜ Skipping stray line: 'JNT2 - Instructional Design Analysis - Instructional Design Analysis focuses on using analysis of needs to determine the needs and interests of'
  ➜ Skipping stray line: 'learners, and scope and sequence for developing a logical approach for an education program to formulate appropriate and measurable program'
  ➜ Skipping stray line: 'objectives.'
  ➜ Skipping stray line: 'JOT2 - Issues in Instructional Design - Issues in Instructional Design focuses on learning theories, learner analysis, scope and sequence,'
  ➜ Skipping stray line: 'instructional strategies, task analysis and design theories, media and technology foundations, and adaptive technologies for special populations for'
  ➜ Skipping stray line: 'creating effective, well-articulated, and efficient instruction.'
  ➜ Skipping stray line: 'JPT2 - Instructional Design Production - Instructional Design Production focuses on the application of a systematic process of instructional design,'
  ➜ Skipping stray line: 'namely the concepts and procedure for analyzing and designing successful instruction. This course will prepare students to conduct a goal analysis, a'
  ➜ Skipping stray line: 'process used to identify instructional goals, as well as a task analysis, which is used to determine the skills and knowledge required to accomplish'
  ➜ Skipping stray line: 'those goals. This course also focuses on writing performance objectives, designing assessments, and developing instruction that incorporates relevant'
  ➜ Skipping stray line: 'learning theories. Methods for formatively evaluating a unit of instruction are also introduced. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'JQT2 - Issues in Measurement and Evaluation - Issues in Measurement and Evaluation focuses on the understanding of formative and summative'
  ➜ Skipping stray line: 'evaluation, quantitative and qualitative data collection tools, including rubrics and the processes of evaluation.'
  ➜ Skipping stray line: 'JRT2 - Evaluation Methodology and Instrumentation - Evaluation Methodology and Instrumentation focuses on using qualitative and quantitative'
  ➜ Skipping stray line: 'data collection tools and techniques to construct and evaluate valid and reliable measuring instruments.'
  ➜ Skipping stray line: 'JST2 - Evaluation Process and Recommendation - Evaluation Process and Recommendation focuses on implementing and interpreting an'
  ➜ Skipping stray line: 'evaluation and the reporting of the results and recommendations to stakeholders.'
  ➜ Skipping stray line: 'JWT2 - Instructional Theory - Instructional Theory focuses on exploring instructional design theory and related models and processes. Students will'
  ➜ Skipping stray line: 'apply instructional design principles to the design and delivery of plans to meet the learning needs found in the instructional setting.'
  ➜ Skipping stray line: 'JXT2 - Educational Psychology - Educational Psychology examines the latest findings in child and adolescent development and provides educators'
  ➜ Skipping stray line: 'the opportunity to apply educational psychology to various instructional settings. Students will explore the areas of applied educational psychology to'
  ➜ Skipping stray line: 'teaching, cognitive development, social development, and cultural development. They will design, develop, modify, and evaluate curriculum and'
  ➜ Skipping stray line: 'instruction in various educational settings according to child/adolescent development.'
  ➜ Skipping stray line: 'JYT2 - Curriculum Design - Curriculum Design focuses on exploring curriculum design theory, educational standards, and design frameworks for'
  ➜ Skipping stray line: 'what to teach. Together these topics will provide educators with the ability to take principles of curriculum design theory and related models and apply'
  ➜ Skipping stray line: 'them when developing, designing, and modifying curriculum to meet learning needs in their instructional setting.'
  ➜ Skipping stray line: 'JZT2 - Curriculum Evaluation - Curriculum Evaluation focuses on exploring evaluation systems and student data to determine the effectiveness of'
  ➜ Skipping stray line: 'curriculum. It also focuses on differentiating curriculum based on student data.'
  ➜ Skipping stray line: 'KAT2 - Assessment for Student Learning - Assessment for Student Learning focuses on developing the knowledge and skills to identify, develop,'
  ➜ Skipping stray line: 'and design instrument tools for evaluating student learning. It also explores the use of objective and performance-based, formative, and summative'
  ➜ Skipping stray line: 'assessments and their results in the evaluation of curriculum and instruction for student learning.'
  ➜ Skipping stray line: 'KBT2 - Differentiated Instruction - Differentiated Instruction focuses on developing and implementing curriculum and instruction that that best meets'
  ➜ Skipping stray line: 'the needs of all learners within a given instructional setting.'
  ➜ Skipping stray line: 'LEC1 - Comprehensive Educational Leadership Integration - You will complete a comprehensive objective proctored assessment in Educational'
  ➜ Skipping stray line: 'Leadership theory and practices, including administrative theory, school law, school finance, curriculum development and implementation, personnel'
  ➜ Skipping stray line: 'management, public relations, and technology. You will be required to pass the Comprehensive Educational Leadership Integration objective'
  ➜ Skipping stray line: 'assessment.'
  ➜ Skipping stray line: 'LFT1 - Student, Stakeholder, and Market Focus for Educational Leaders - This subdomain reviews principles and practices of meeting'
  ➜ Skipping stray line: 'stakeholder needs and reviews your case study site’s effectiveness in managing stakeholder relationships.'
  ➜ Skipping stray line: 'LMT1 - Measurement, Analysis, and Knowledge Management for Educational Leaders - This subdomain reviews principles and practices of'
  ➜ Skipping stray line: 'program and curriculum effectiveness evaluation as well as best practices in technology for educational leaders. You also complete a program,'
  ➜ Skipping stray line: 'practice, or curriculum effectiveness evaluation in your case study site as well as an evaluation of technology implementation.'
  ➜ Skipping stray line: 'LNT1 - Process Management for Educational Leaders - This subdomain reviews best practices in process management for educational leaders, as'
  ➜ Skipping stray line: 'well as an evaluation of your case study site’s process management policies and practices.'
  ➜ Skipping stray line: 'LPA1 - Language Production, Theory and Acquisition - Language Production, Theory and Acquisition focuses on describing and understanding'
  ➜ Skipping stray line: 'language and the development of language. It includes the study of acquisition theory, grammar, and applied phonetics.'
  ➜ Skipping stray line: 'LPT1 - Performance Excellence Criteria for Educational Leaders - This subdomain reviews the case study model and prepares you to complete a'
  ➜ Skipping stray line: 'thorough review of the effectiveness of their case study site’s operations, outcomes, and leadership.'
  ➜ Skipping stray line: 'LQT2 - Information Security and Assurance Capstone Project - Students will be able to choose from three areas of emphasis, depending on'
  ➜ Skipping stray line: 'personal and professional interests. Students will complete a capstone project that deals with a significant real-world business problem that further'
  ➜ Skipping stray line: 'integrates the components of the degree. Capstone projects will require an oral defense before a committee of WGU faculty.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 173'
  ➜ Skipping stray line: 'LRT1 - Practicum in Educational Leadership - Foundational Perspectives of Education includes a series of performance tasks to take place under'
  ➜ Skipping stray line: 'the leadership of a practicing state licensed school principal or assistant principal in a practicum school site (K–12). This assessment also includes'
  ➜ Skipping stray line: 'completion of assigned administrative duties to take place in both elementary (K–6) and secondary (7–12) settings under the leadership and'
  ➜ Skipping stray line: 'supervision of the cooperating administrator in your case study school site. Practicum requirements vary by state of intended licensure and WGU'
  ➜ Skipping stray line: 'program requirements, and the standard has been set between 275 and 540 of logged practicum activities that span a minimum of six consecutive'
  ➜ Skipping stray line: 'months. Please refer back to the WGU Student Handbook for reference of your program requirements. You are required to pass the Practicum in'
  ➜ Skipping stray line: 'Educational Leadership performance assessments and successfully submit other documentation, including evaluations of your performance'
  ➜ Skipping stray line: 'completed by the cooperating administrator and documentation of completion of state-required hours of assigned administrative duties. The'
  ➜ Skipping stray line: 'Educational Leadership Practicum requires a practicum fee. During the Educational Leadership Practicum, you are also expected to take and pass'
  ➜ Skipping stray line: 'your state's licensure examination(s) required for certification as a school principal and the PRAXIS 5411 Educational Leadership: Administration and'
  ➜ Skipping stray line: 'Supervision exam.'
  ➜ Skipping stray line: 'LST1 - Strategic Planning for Educational Leaders - This subdomain reviews principles and practices of the strategic planning process as well as a'
  ➜ Skipping stray line: 'case study review of the strategic planning processes in your case study site.'
  ➜ Skipping stray line: 'LWT1 - Workforce Focus for Educational Leaders - This subdomain reviews best practices in human resource administration for educational'
  ➜ Skipping stray line: 'leaders, as well as an evaluation of your case study site’s workforce management practices.'
  ➜ Skipping stray line: 'LZT2 - Power, Influence and Leadership - This course focuses on the development of the critical leadership and soft skills necessary for success in'
  ➜ Skipping stray line: 'information technology leadership and management. The course focuses specifically on skills such as cultivating effective leadership communication,'
  ➜ Skipping stray line: 'building personal influence, enhancing emotional intelligence (soft skills), generating ideas and encouraging idea generation in others, conflict'
  ➜ Skipping stray line: 'resolution, and positioning oneself as an influential change agent within different organizational cultures.'
  ➜ Skipping stray line: 'MAT2 - Information Technology Management - This course will prepare students to cope with information technology resources in a manner'
  ➜ Skipping stray line: 'beneficial to their company. Such skill includes estimating both the cost and value of IT to the company, setting priorities for project selection,'
  ➜ Skipping stray line: 'management of IT projects, and handling risk. These responsibilities imply an ability to align technology with an organization’s strategic goals. In total,'
  ➜ Skipping stray line: 'students will develop the ability to effectively administer and manage current and emerging technologies within an organization.'
  ➜ Skipping stray line: 'MBT2 - Technological Globalization - This course is designed to equip students to better understand the fundamental, galvanizing and'
  ➜ Skipping stray line: 'transformational role of advanced IT communications, networks and services in all major industries; advanced IT is an unparalleled force multiplier in'
  ➜ Skipping stray line: 'scientific research, energy production and use, health and medicine. IT is a critical resource in the global community, economically, socially, politically'
  ➜ Skipping stray line: 'and culturally.'
  ➜ Skipping stray line: 'MCT2 - Technical Writing - As IT professionals are frequently required to interface with customers, clients, other departments, organizational leaders,'
  ➜ Skipping stray line: 'and even other institutions, strong communication skills are vital. In this course, students learn to communicate accurately, effectively, and ethically to'
  ➜ Skipping stray line: 'a variety of audiences. Students design communication to fit oral, print, and multi-media contexts. They develop rhetorical sensitivity in both their'
  ➜ Skipping stray line: 'writing and their design decisions.'
  ➜ Skipping stray line: 'MEC1 - Foundations of Measurement and Evaluation - Foundations of Measurement and Evaluation focuses on assessment validity, constructing'
  ➜ Skipping stray line: 'reliable test instruments, identifying appropriate item and instrument types, qualitative data collection tools and techniques, and conducting a formative'
  ➜ Skipping stray line: 'and summative evaluation for an instruction product or program.'
  ➜ Skipping stray line: 'MFT2 - Mathematics (K-6) Portfolio Oral Defense - Mathematics (K-6) Portfolio Oral Defense: Mathematics (K-6) Portfolio Defense focuses on a'
  ➜ Skipping stray line: 'formal presentation. The student will present an overview of their teacher work sample (TWS) portfolio discussing the challenges they faced and how'
  ➜ Skipping stray line: 'they determined whether their goals were accomplished. They will explain the process they went through to develop the TWS portfolio and reflect on'
  ➜ Skipping stray line: 'the methodologies and outcomes of the strategies discussed in the TWS portfolio. Additionally, they will discuss the strengths and weaknesses of'
  ➜ Skipping stray line: 'those strategies and how they can apply what they learned from the TWS portfolio in their professional work environment.'
  ➜ Skipping stray line: 'MGT2 - IT Project Management - IT Project Management provides an overview of the Project Management Institute’s project management'
  ➜ Skipping stray line: 'methodology. Topics cover various process groups and knowledge areas and application of knowledge in case studies for planning a project that has'
  ➜ Skipping stray line: 'not started yet and monitoring/controlling a project that is already underway.'
  ➜ Skipping stray line: 'MMT2 - IT Strategic Solutions - In IT Strategic Solutions the learner will have the opportunity to identify strategic opportunities and emerging'
  ➜ Skipping stray line: 'technologies as they research and decide on a system to support a growing company. Topics will include technology strategy; gap analysis;'
  ➜ Skipping stray line: 'researching new technology; strengths, opportunities, weaknesses, and threats; ethics; risk mitigation; data security, communication plans; and'
  ➜ Skipping stray line: 'globalization.'
  ➜ Skipping stray line: 'NHC1 - Introduction to Instructional Planning and Presentation - Students will develop a basic understanding of effective instructional principles'
  ➜ Skipping stray line: 'and how to differentiate instruction in order to elicit powerful teaching in the classroom.'
  ➜ Skipping stray line: 'NMA1 - Professional Role of the ELL Teacher - The Professional Role of the ELL Teacher focuses on issues of professionalism for the English'
  ➜ Skipping stray line: 'Language Learning teacher and leader. This includes program development, ethics, engagement in professional organizations, serving as a resource,'
  ➜ Skipping stray line: 'and ELL advocacy.'
  ➜ Skipping stray line: 'NNA1 - Planning, Implementing, Managing Instruction - Planning, Implementing, Managing Instruction focuses on a variety of philosophies and'
  ➜ Skipping stray line: 'grade levels of English Language Learner (ELL) instruction. It includes the study of ELL listening and speaking, ELL reading and writing, specially'
  ➜ Skipping stray line: 'designed academic instruction in English (SDAIE), and specific issues for various grade level instruction.'
  ➜ Skipping stray line: 'OOT2 - Mathematics History and Technology - Mathematics History and Technology introduces a variety of technological tools for doing'
  ➜ Skipping stray line: 'mathematics, and you will develop a broad understanding of the historical development of mathematics. You will come to understand that'
  ➜ Skipping stray line: 'mathematics is a very human subject that comes from the macro-level sweep of cultural and societal change, as well as the micro-level actions of'
  ➜ Skipping stray line: 'individuals with personal, professional, and philosophical motivations. Most importantly, you will learn to evaluate and apply technological tools and'
  ➜ Skipping stray line: 'historical information to create an enriching student-centered mathematical learning environment. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'OPT2 - Mathematics Learning and Teaching - Mathematics Learning and Teaching will help you develop the knowledge and skills necessary to'
  ➜ Skipping stray line: 'become a prospective and practicing educator. You will be able to use a variety of instructional strategies to effectively facilitate the learning of'
  ➜ Skipping stray line: 'mathematics. This course focuses on selecting appropriate resources, using multiple strategies, and instructional planning, with methods based on'
  ➜ Skipping stray line: 'research and problem solving. A deep understanding of the knowledge, skills, and disposition of mathematics pedagogy is necessary to become an'
  ➜ Skipping stray line: 'effective secondary mathematics educator. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'PFHM - Business - HR Management Portfolio Requirement - Students prepare a culminating professional portfolio to demonstrate the'
  ➜ Skipping stray line: 'competencies they have learned throughout their program. The portfolio includes a strengths essay, a career report, a reflection essay, a résumé, and'
  ➜ Skipping stray line: 'exhibits demonstrating personal strengths in the work place.'
  ➜ Skipping stray line: 'PFIT - Business - IT Management Portfolio Requirement - Business - IT Management Portfolio Requirement is designed to help the learner'
  ➜ Skipping stray line: 'complete the culminating Undergraduate Business Portfolio assessment; it focuses on developing a business portfolio containing a strengths essay, a'
  ➜ Skipping stray line: 'career report, a reflection essay, a resume, and exhibits that support one’s strengths in the work place.'
  ➜ Skipping stray line: 'QDT1 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'
  ➜ Skipping stray line: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'
  ➜ Skipping stray line: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'
  ➜ Skipping stray line: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'
  ➜ Skipping stray line: 'Algebra is a prerequisite for this course.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 174'
  ➜ Skipping stray line: 'QDT2 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'
  ➜ Skipping stray line: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'
  ➜ Skipping stray line: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'
  ➜ Skipping stray line: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'
  ➜ Skipping stray line: 'Algebra is a prerequisite for this course.'
  ➜ Skipping stray line: 'QET1 - Business - HR Management Capstone Project - For the Business - HR Management Capstone Project students will integrate and'
  ➜ Skipping stray line: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ➜ Skipping stray line: 'professional field. A comprehensive business plan is developed for a company that offers HR products or services. The business plan includes a'
  ➜ Skipping stray line: 'market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ➜ Skipping stray line: 'QFT1 - Business - IT Management Capstone Project - The capstone requires students to demonstrate the integration and synthesis of'
  ➜ Skipping stray line: 'competencies in all domains required for the degree in Information Technology Management. The student produces a business plan for a start-up'
  ➜ Skipping stray line: 'company that is selected and approved by the student and mentor.'
  ➜ Skipping stray line: 'QGT1 - Business Management Capstone Written Project - For the Business Management Capstone Written Project students will integrate and'
  ➜ Skipping stray line: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ➜ Skipping stray line: 'professional field. A comprehensive business plan is developed for a company that plans to sell a product or service in a local market, national'
  ➜ Skipping stray line: 'market, or on the Internet. The business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to'
  ➜ Skipping stray line: 'the chosen company.'
  ➜ Skipping stray line: 'QHT1 - Business Management Tasks - Business Management Tasks addresses important concepts needed to effectively manage a'
  ➜ Skipping stray line: 'business. Topics include the cost-quality relationship, the use of various types of graphical charts in operations management, managing innovation,'
  ➜ Skipping stray line: 'and developing strategies for working with individuals and groups.'
  ➜ Skipping stray line: 'QIT1 - Business Marketing Management Capstone Written Project - For the Business Marketing Management Capstone Project students will'
  ➜ Skipping stray line: 'integrate and synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their'
  ➜ Skipping stray line: 'chosen professional field. A comprehensive business plan is developed for a company that provides some type of marketing product or service. The'
  ➜ Skipping stray line: 'business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ➜ Skipping stray line: 'QJT2 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to use'
  ➜ Skipping stray line: 'differential calculus of one variable and appropriate technology to solve basic problems. Topics include graphing functions and finding their domains'
  ➜ Skipping stray line: 'and ranges; limits, continuity, differentiability, visual, analytical, and conceptual approaches to the definition of the derivative; the power, chain, and'
  ➜ Skipping stray line: 'sum rules applied to polynomial and exponential functions, position and velocity; and L'Hopital's Rule. Candidates should have completed a course in'
  ➜ Skipping stray line: 'Pre-Calculus before engaging in this course.'
  ➜ Skipping stray line: 'QTT2 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ➜ Skipping stray line: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ➜ Skipping stray line: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ➜ Skipping stray line: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'RKT1 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ➜ Skipping stray line: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ➜ Skipping stray line: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ➜ Skipping stray line: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ➜ Skipping stray line: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ➜ Skipping stray line: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'RKT2 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ➜ Skipping stray line: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ➜ Skipping stray line: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ➜ Skipping stray line: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ➜ Skipping stray line: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ➜ Skipping stray line: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'RNT1 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ➜ Skipping stray line: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ➜ Skipping stray line: 'RNT2 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ➜ Skipping stray line: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ➜ Skipping stray line: 'RXT2 - Precalculus and Calculus - Precalculus and Calculus provides instruction in precalculus and calculus and applies them to examples found in'
  ➜ Skipping stray line: 'both mathematics and science. Topics in precalculus include principles of trigonometry, mathematical modeling, and logarithmic, exponential,'
  ➜ Skipping stray line: 'polynomial, and rational functions. Topics in calculus include conceptual knowledge of limit, continuity, differentiability, and integration.'
  ➜ Skipping stray line: 'SJT2 - Advanced Networking Technology - This course prepares students to support the ever growing interconnectivity needs of organizations.'
  ➜ Skipping stray line: 'Students will learn about advanced networking concepts, devices and strategies to provide superior network connectivity to organizations. A review of'
  ➜ Skipping stray line: 'common yet critical network devices and technologies will be provided such as switches, routers, hubs, firewalls, T-1s, ATM, fiber and others.'
  ➜ Skipping stray line: 'Students will also be prepared to review existing network environments and provide specifications to upgrade and enhance such networks.'
  ➜ Skipping stray line: 'SLO1 - Theories of Second Language Acquisition and Grammar - Theories of Second Language Learning Acquisition and Grammar covers'
  ➜ Skipping stray line: 'content material in applied linguistics, including morphology, syntax, semantics, and grammar. Students will explore the role of dialect in the'
  ➜ Skipping stray line: 'classroom, the connections between language and culture, and the theories of first and second language acquisition.'
  ➜ Skipping stray line: 'TAT2 - Technology Production - Technology Production focuses on the foundations of media and technology, integrated technology development,'
  ➜ Skipping stray line: 'and the integration of technology into appropriate instructional uses of productivity, and applying different research applications in the learning'
  ➜ Skipping stray line: 'environment.'
  ➜ Skipping stray line: 'TDT1 - Technology Design Portfolio - Technology Design Portfolio focuses on gaining a broad overview of the field of technology integration with a'
  ➜ Skipping stray line: 'fundamental understanding of some key concepts and principles, and enhancing technology skills to enable the producing of exportable instructional'
  ➜ Skipping stray line: 'and professional products using various integrated application programs.'
  ➜ Skipping stray line: 'TET1 - Issues in Technology Integration - Issues in Technology Integration focuses on the legal and ethical practice of technology, some personal'
  ➜ Skipping stray line: 'uses of electronic resources, the need for protection of information, the foundations of media and technology, what electronic learning communities'
  ➜ Skipping stray line: 'are, and the adaptive technologies for special populations.'
  ➜ Skipping stray line: 'TFT2 - Cyberlaw, Regulations, and Compliance - Cyberlaw, Regulations and Compliance prepares students to participate in legal analysis of'
  ➜ Skipping stray line: 'relevant cyberlaws and address governance, standards, policies, and legislation. Students will conduct a security risk analysis for an enterprise'
  ➜ Skipping stray line: 'system. In addition, students will determine cyber requirements for third‐party vendor agreements. Students will also evaluate provisions of both the'
  ➜ Skipping stray line: '2001 and 2006 USA PATRIOT Acts.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 175'
  ➜ Skipping stray line: 'TOC2 - Probability and Statistics I - Probability and Statistics I covers the knowledge and skills necessary to apply basic probability, descriptive'
  ➜ Skipping stray line: 'statistics, and statistical reasoning, and to use appropriate technology to model and solve real-life problems. It provides an introduction to the science'
  ➜ Skipping stray line: 'of collecting, processing, analyzing, and interpreting data. Topics include creating and interpreting numerical summaries and visual displays of data;'
  ➜ Skipping stray line: 'regression lines and correlation; evaluating sampling methods and their effect on possible conclusions; designing observational studies, controlled'
  ➜ Skipping stray line: 'experiments, and surveys; and determining probabilities using simulations, diagrams, and probability rules. College Algebra is a prerequisite for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'TQC1 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Skipping stray line: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Skipping stray line: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Skipping stray line: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Skipping stray line: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Skipping stray line: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Skipping stray line: 'TQC2 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Skipping stray line: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Skipping stray line: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Skipping stray line: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Skipping stray line: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Skipping stray line: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Skipping stray line: 'TSC2 - General Chemistry I - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Skipping stray line: 'solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic table and chemical'
  ➜ Skipping stray line: 'nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work focuses on using'
  ➜ Skipping stray line: 'effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TSP1 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Skipping stray line: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Skipping stray line: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TSP2 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Skipping stray line: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Skipping stray line: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TUC2 - General Chemistry II - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Skipping stray line: 'solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models, oxidation-reduction'
  ➜ Skipping stray line: 'reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on using effective'
  ➜ Skipping stray line: 'laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TUP1 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Skipping stray line: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Skipping stray line: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TUP2 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Skipping stray line: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Skipping stray line: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TVT2 - Governance, Finance, Law, and Leadership for Principals - This subdomain contains content in educational law, finance, and'
  ➜ Skipping stray line: 'administration as well as a case study review of your site’s leadership practices.'
  ➜ Skipping stray line: 'UFC1 - Managerial Accounting - This course focuses on identifying, gathering, and interpreting information that will be used for evaluating and'
  ➜ Skipping stray line: 'managing the performance of a business. Students will also study cost measurement for producing goods and services and how to analyze and'
  ➜ Skipping stray line: 'control these costs.'
  ➜ Skipping stray line: 'UQT1 - Organic Chemistry - This course focuses on the study of compounds that contain carbon, much of which is learning how to organize and'
  ➜ Skipping stray line: 'group these compounds based on common bonds found within them in order to predict their structure, behavior, and reactivity.'
  ➜ Skipping stray line: 'VLT2 - Security Policies and Standards - Best Practices - This course focuses on the practices of planning and implementing organization-wide'
  ➜ Skipping stray line: 'security and assurance initiatives as well as auditing assurance processes.'
  ➜ Skipping stray line: 'VYC1 - Principles of Accounting - Principles of Accounting focuses on ways in which accounting principles are used in business operations.'
  ➜ Skipping stray line: 'Students will learn about the basics of accounting, including how to use Generally Accepted Accounting Principles (GAAP), ledgers, and journals.'
  ➜ Skipping stray line: 'Students will also be introduced to the steps of the accounting cycle, concepts of assets and liabilities, and general information about accounting'
  ➜ Skipping stray line: 'information systems. This course also presents bank reconciliation methods, balance sheets, and business ethics.'
  ➜ Skipping stray line: 'VZT1 - Marketing Applications - Marketing Applications allows students to apply their knowledge of core marketing principles by creating a'
  ➜ Skipping stray line: 'comprehensive marketing plan. Their plan will apply their knowledge of the marketing planning process, market analysis, and the marketing mix'
  ➜ Skipping stray line: '(product, place, promotion, and price).'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 176'
  ➜ Skipping stray line: 'Course Mentor Directory'
  ➜ Skipping stray line: 'General Education'
  ➜ Skipping stray line: 'Adams, William; M.A., Savanah College of Art and Design'
  ➜ Skipping stray line: 'Aguirre, Jennifer; M.S., Walden University'
  ➜ Skipping stray line: 'Akens, Jonne; Ph. D., Texas A&M University'
  ➜ Skipping stray line: 'Alexander, Ledora; Ed.S., Walden University'
  ➜ Skipping stray line: 'Ashe, James; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Barnes, Lauri; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Baty, Amanda; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Benson, Bryan; Ph.D., Boston College'
  ➜ Skipping stray line: 'Bilbrey, Joshua; Ph.D., Texas State University'
  ➜ Skipping stray line: 'Borden, Anne; Ph.D., Emory University'
  ➜ Skipping stray line: 'Brewer, Craig: Ph.D., University of Notre Dame'
  ➜ Skipping stray line: 'Brown, Bonnie; Ph.D., Stephen F. Austin State University'
  ➜ Skipping stray line: 'Browning, Ellen; Ph.D., University of Texas, Arlington'
  ➜ Skipping stray line: 'Buchanan, Tenielle; Ed.D., Lipscomb University'
  ➜ Skipping stray line: 'Byrnes, Sean; Ph.D., Emory University'
  ➜ Skipping stray line: 'Carmona, Karla; M.S., Western Governors University'
  ➜ Skipping stray line: 'Castaneda, Gilivaldo; M.Ed., University of Texas at San Antonio'
  ➜ Skipping stray line: 'Chaves Ulloa, Ramsa; Ph.D., Dartmouth College'
  ➜ Skipping stray line: 'Chittick, Sharla; Ph.D., University of Stirling'
  ➜ Skipping stray line: 'Condit, Lorna; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Cowan, Christy; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Crawford, Nathan; Ph.D., University of Tennessee-Knoxville'
  ➜ Skipping stray line: 'Crooks, Kathleen; Ph.D., University of Akron'
  ➜ Skipping stray line: 'Cross, Cameron; M.S., Kaplan University'
  ➜ Skipping stray line: 'Cureton, Sara; M.A., Gonzaga Univeristy'
  ➜ Skipping stray line: 'Cutler, Ned; Ph.D., Duke University'
  ➜ Skipping stray line: 'Dodge, Joshua; M.A., University of Central Florida'
  ➜ Skipping stray line: 'Dorre, Gina; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Douglas, Katherine; M.A., University of California, San Diego'
  ➜ Skipping stray line: 'Duff, Kandi; Ed.D., Idaho State University'
  ➜ Skipping stray line: 'Dungar, Michael; MA, Boston College'
  ➜ Skipping stray line: 'Edmunds, Jeffrey; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Evans, Robin; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Evenson Newhouse, Ranae; Ph.D., Vanderbilt University'
  ➜ Skipping stray line: 'Faucett, Jessica; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Fehnel, Bradley; M.S., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Fellow, Jill; M.S., Brigham Young University'
  ➜ Skipping stray line: 'Franco, Heidi; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Frusciante, Denise; Ph.D., University of Miami'
  ➜ Skipping stray line: 'Galindez, Dahlia; MA, Western Governors University'
  ➜ Skipping stray line: 'Gangaram, Jitendra; Ph.D., North Central University'
  ➜ Skipping stray line: 'Garrett, Janette; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Goodwin, Rachel; Ph.D., University of Texas'
  ➜ Skipping stray line: 'Gordon, Kelley; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Gravitte, Kristen; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Gradzielewski, Andrew; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Halula, Stephen; Ph.D., Marquette University'
  ➜ Skipping stray line: 'Harris, Steven; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Hartwick, Andromeda; Ph.D., University of Michigan'
  ➜ Skipping stray line: 'Hayne, Victoria; Ph.D., University of California - Los Angeles'
  ➜ Skipping stray line: 'Hernandez, Ali; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Hillyer, Aaron; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Horne, Lisa; M.A., Brigham Young University'
  ➜ Skipping stray line: 'Hurley, Norman; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Jensen, Taylor; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Johnson, Stephanie; MBA, Lindenwood University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 177'
  ➜ Skipping stray line: 'Jones, Lee; Ph.D., Clark Atlanta University'
  ➜ Skipping stray line: 'Kelley, Matthew; Ph.D., University of Nevada-Las Vegas'
  ➜ Skipping stray line: 'Kelly, Lynn; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Knieps, Linda; Ph.D., Vanderbilt University'
  ➜ Skipping stray line: 'Knous, Helen; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Landry, Stan; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Latham, Kary; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Lauren, Jennifer; Ph.D., Duquesne University'
  ➜ Skipping stray line: 'Leep, Matthew; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Lettau, Lisa; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Little, David; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Lukin, Kara; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Main, Daniel; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Mammen, John; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Mantooth, Stacy; Ph. D., University of Nevada – Las Vegas'
  ➜ Skipping stray line: 'Martin, Jonathan; M.A., West Virginia University'
  ➜ Skipping stray line: 'Mays, Ashley; Ph.D., University of North Carolina at Chapel Hill'
  ➜ Skipping stray line: 'McCune, Timothy; Ph.D., Youngstown State University'
  ➜ Skipping stray line: 'McWatters, Mason; Ph.D., University of Texas at Austin'
  ➜ Skipping stray line: 'Metoki, Kiyoko; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Meyer, Nicholas; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Miller, Don; Ph.D., Morehouse School of Medicine'
  ➜ Skipping stray line: 'Miller, Kathleen; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Moody, Vivian; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Mosgrove, Sharon; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Moss, Meg; Ph.D., University of Tennessee-Knoxville'
  ➜ Skipping stray line: 'Mzoughi, Taha; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Nelson, Angela; Ph.D., Cornell University'
  ➜ Skipping stray line: 'Nicley, Erinn; M.S., Florida State University'
  ➜ Skipping stray line: 'Norton, Cindy; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Olson, Nels; Ph.D., Michigan State University'
  ➜ Skipping stray line: 'Oulette, David; Ph.D., Virginia Commonwealth University'
  ➜ Skipping stray line: 'Palmer, Michael; M.F.A., University of Utah'
  ➜ Skipping stray line: 'Pankowski, Peg; Ed.D., Duquesne University'
  ➜ Skipping stray line: 'Parrish, Anca; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Parton, Sabrena; Ph.D., University of Southern Mississippi'
  ➜ Skipping stray line: 'Parvin, Kathleen; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Peppers, Shelitha; Ed.D., Maryville University'
  ➜ Skipping stray line: 'Perkins, Heidi; M.S., Excelsior College'
  ➜ Skipping stray line: 'Phillips, Dedra; M.A., Colorado Technical University'
  ➜ Skipping stray line: 'Potter, Christine; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Quintela, Melissa; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Radosavljevic, Alexander; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Redden, Cameron; MAT, Baldwin Wallace University'
  ➜ Skipping stray line: 'Redkey, Elizabeth; Ph.D., University at Albany, State University of New York'
  ➜ Skipping stray line: 'Remington, Theodore; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Rhodes, Kristofer; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Robinson, Ami; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Robinson, Jeffery; Ph.D., Drew University'
  ➜ Skipping stray line: 'Rosenblatt, Heather; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Rossi, Cynthia; Ph.D., University of Maryland'
  ➜ Skipping stray line: 'Saddler, Derrick; Ph.D., University of South Florida'
  ➜ Skipping stray line: 'Sanchez, Melvin; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Scheg, Abigail; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Scheib, Douglas; Ph.D., University of Miami'
  ➜ Skipping stray line: 'Scotece, Shannon; Ph.D., State University of New York - Albany'
  ➜ Skipping stray line: 'Shahi, Kimberley; Ph.D., University of Texas at Arlington'
  ➜ Skipping stray line: 'Sharpe, Robert; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Shimotsu-Dariol, Stephanie; Ph.D., West Virginia University'
  ➜ Skipping stray line: 'Simeon, Patricia; Ed.D., Grambling State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 178'
  ➜ Skipping stray line: 'Simmons, Nathaniel; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Smith, Tommie; MBA, Middle Tennessee State University'
  ➜ Skipping stray line: 'Springfield, Derriell; Ed.D., East Tennessee State University'
  ➜ Skipping stray line: 'St Martin, Ashley; M.S., University of Vermont'
  ➜ Skipping stray line: 'Stambaugh, Nathaniel; Ph.D., Brandeis University'
  ➜ Skipping stray line: 'Starr, Neil; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Timmer, Kristin; Ph.D., University of Tennessee Health Science Center'
  ➜ Skipping stray line: 'Tolin Schultz, Alexandra; Ph.D., Stony Brook University'
  ➜ Skipping stray line: 'Tucker, Diana; Ph.D., Southern Illinois University Carbondale'
  ➜ Skipping stray line: 'Tweedy, Joanna; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Verber, Jason; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Vida, Anna; M.A., Arizona State University'
  ➜ Skipping stray line: 'Walker, Hope; M.A., The American University'
  ➜ Skipping stray line: 'Weaver, Matthew; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Webb, James; M.A., Pacific University'
  ➜ Skipping stray line: 'Wellinghoff, Lisa; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Westmoreland, Brandi; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Whitson-Whennen, Tonya; M.M., University of Utah'
  ➜ Skipping stray line: 'Woolridge, Mary; Ph.D., University of Central Florida'
  ➜ Skipping stray line: 'Young, Michael; Ph.D., University of Missouri at Saint Louis'
  ➜ Skipping stray line: 'Zasadny, Jill; Ph.D., Kansas University'
  ➜ Skipping stray line: 'Teachers College'
  ➜ Skipping stray line: 'Aafif, Amal; Ph.D., Drexel University'
  ➜ Skipping stray line: 'Affleck, Alisa; M.A., Western Governors University'
  ➜ Skipping stray line: 'Allen, Elizabeth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Aranda, Christina; M.A., University of Utah'
  ➜ Skipping stray line: 'Aufderhaar, Carolyn; Ed.D., University of Cincinnati'
  ➜ Skipping stray line: 'Baxter, Marissa; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Belchik-Moser, Sara; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Betts, Anastasia; Ph.D., Regent University'
  ➜ Skipping stray line: 'Blanks, Dorothy; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Boen, Laurie; Ph.D., University of Arkansas'
  ➜ Skipping stray line: 'Boyd-Bradwell, Natasha; Ph.D., Capella University'
  ➜ Skipping stray line: 'Branan, Daniel; Ph.D., University of Denver'
  ➜ Skipping stray line: 'Branch, Leah; Ed.D., Bethel University'
  ➜ Skipping stray line: 'Brogan, Lynn; Ed.D., Columbia University'
  ➜ Skipping stray line: 'Brooks, Marlaina; Ed.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Calero, Lisa; Ph.D., Capella University'
  ➜ Skipping stray line: 'Carey, Kimberly; Ph.D., Old Dominion University'
  ➜ Skipping stray line: 'Cartwright, Nancy; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'Cohen, Kimberley; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Constanza, Michele; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Covey, Nicole; Ed.D., University of Memphis'
  ➜ Skipping stray line: 'Douglas, Deanna; Ph.D., Wichita State University'
  ➜ Skipping stray line: 'Dove, Teresa; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Dukes, Debra; Ed.D., University of Georgia'
  ➜ Skipping stray line: 'Durakiewicz, Anna; M.S., University of Marie Curie'
  ➜ Skipping stray line: 'Eisenhour, Melanie; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Feng, Suiping; Ph.D., City University of New York'
  ➜ Skipping stray line: 'Fillpot, Elsie; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Flavin, Kathryn; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Flores, Alberto; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Francis, David; M.A., Western Governors University'
  ➜ Skipping stray line: 'Giddens, Evelyn; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gillman, Brenna; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Gray-Dowdy, Audra; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Hall, Robert; Ph.D., Capella University'
  ➜ Skipping stray line: 'Halverson, Colleen; Ph.D., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Harbin, Lesley; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 179'
  ➜ Skipping stray line: 'Hardin, Bridgette; Ed.D., Texas A&M University-Corpus Christi'
  ➜ Skipping stray line: 'Hedman, Shawn; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Henry, Joanna; M.E., Lamar University'
  ➜ Skipping stray line: 'Hernandez, Julie; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Hiebel, Adam; Ed.D., Ohio University'
  ➜ Skipping stray line: 'Hudon-Miller, Sarah; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Hughes, Amy; Ed.D., University of Montana'
  ➜ Skipping stray line: 'Hutson, Tommye; Ed.D., Baylor University'
  ➜ Skipping stray line: 'Igbinoba-Cummings, Monique; Ph.D., Lynn University'
  ➜ Skipping stray line: 'Izumi, Alisa; Ed.D., University of Massachusetts'
  ➜ Skipping stray line: 'Jacobs, Patricia; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Janitzki, Dean; M.A., University of Toledo'
  ➜ Skipping stray line: 'Johnson, Sherri; Ph.D., Capella University'
  ➜ Skipping stray line: 'Jovic, Marko; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Kain, Meri; Ed.D., University of Missouri'
  ➜ Skipping stray line: 'Kelly, Gretchen; Ed.D., Walden University'
  ➜ Skipping stray line: 'Leinbach, William; Ed.D., Oregon State University'
  ➜ Skipping stray line: 'Lindemann, Steven; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Linkenhoker, Dina; Ed.D., Liberty University'
  ➜ Skipping stray line: 'Lipscomb, Pauline; Ed.D., University of the Cumberlands'
  ➜ Skipping stray line: 'Luster, Sandricia; Ed.S., Argosy University'
  ➜ Skipping stray line: 'McCarver, Patricia; Ph.D., California Institute of Integral Studies'
  ➜ Skipping stray line: 'McDaniel, Maryann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'McGrath Hovland, Michelle; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Mendes, John; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Miller, Esther; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Mills, Ginger; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Moore, Tontaleya; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Morgan, Matthew; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Mour, Jennifer; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Murray, Mary; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Obianyo, Obiamaka; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Odom, M. Katherine; Ph.D., University of South Alabama'
  ➜ Skipping stray line: 'O’Malley, Maureen; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Pack, Mamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Parry, Kelly; Ph.D., University of North Texas'
  ➜ Skipping stray line: 'Purnell, Courtney; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Quinn, Lori; M.A.Ed., Prairie View A&M University'
  ➜ Skipping stray line: 'Rahsaz, Jacqueline; M.A., University of California San Diego'
  ➜ Skipping stray line: 'Randonis, Jennifer; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Rawson, Robert; Ph.D., University of Texas Southwestern'
  ➜ Skipping stray line: 'Richen, Damara; Ed.D., Fielding Graduate University'
  ➜ Skipping stray line: 'Robles, Veronica; Ed.D., Arizona State University'
  ➜ Skipping stray line: 'Rogers, Carmelle; Ph.D., Kansas State University'
  ➜ Skipping stray line: 'Russell-Fry, Nancy; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Scales, Rebecca; M.A., Western Governors University'
  ➜ Skipping stray line: 'Schmidt, Stan; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Sepetys, Peggy; Ed.D., University of Michigan'
  ➜ Skipping stray line: 'Shrader, Vincent; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Silver, Jennifer; Ph.D., New York University'
  ➜ Skipping stray line: 'Sims, Rachel; Ed.D., Walden University'
  ➜ Skipping stray line: 'Smith, Janeal; Ph.D., Walden University'
  ➜ Skipping stray line: 'Spencer, Kristin; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Story, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Swenson, Karl; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Thompson, Julie; Ph.D., University of Rochester'
  ➜ Skipping stray line: 'Traub-Metlay, Suzanne; Ph.D., University of Pittsburg'
  ➜ Skipping stray line: 'Tresnak, Robyn; Ph.D., Walden University'
  ➜ Skipping stray line: 'Turner, Carmen; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Vickers, Paul; Ed.D., Stephen F. Austin State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 180'
  ➜ Skipping stray line: 'Walter-Sullivan, Earnestyne; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'Weinstein, Gideon; Ph.D., Indiana University Bloomington'
  ➜ Skipping stray line: 'Whitmire, Jane; Ph.D., University of Montana'
  ➜ Skipping stray line: 'Willey-Rendon, Ruby; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Williams, Lacey; Ed.D., Union Institute and University'
  ➜ Skipping stray line: 'Wisnosky, Marc; Ph.D., University of Pittsburgh'
  ➜ Skipping stray line: 'Yanusheva, Lidiya; Ed.D., Walden University'
  ➜ Skipping stray line: 'Yatherajam, Gayatri; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Zartman, Krista; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Zimmerli, Mandy; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'College of Business'
  ➜ Skipping stray line: 'Abubakari, Nina; J.D., Wayne State University'
  ➜ Skipping stray line: 'Adler, Kathleen; Ph.D., Southern Methodist University'
  ➜ Skipping stray line: 'Alafita, Theresa; Ph.D., George Washington University'
  ➜ Skipping stray line: 'Arenz, Russell; Ph.D., Colorado Technical University'
  ➜ Skipping stray line: 'Argiento, Steven; J.D., Pace University'
  ➜ Skipping stray line: 'Austin, Judy; MBA, Western Governors University'
  ➜ Skipping stray line: 'Baragoshi, Behroz; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Barton, Robert; Ed.S., Utah State University'
  ➜ Skipping stray line: 'Black, Hilda; Ph.D., Louisiana Tech University'
  ➜ Skipping stray line: 'Borch, Casey; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Boysen-Rotelli, Sheila; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Brownstein, Steven; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Carson, Pook; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Cassell, Kenneth; MBA, San Jose State University'
  ➜ Skipping stray line: 'Cherry, Patricia; Ph.D., Capella University'
  ➜ Skipping stray line: 'Clarke, Jeffrey; Ph.D., University of California-Los Angeles'
  ➜ Skipping stray line: 'Connor, Martin; J.D., University of North Dakota'
  ➜ Skipping stray line: 'Davis, Lorretta; Ph.D., Capella University'
  ➜ Skipping stray line: 'Davis, Mary; Ed.D., Central Michigan University'
  ➜ Skipping stray line: 'Doctorman, Lindsey; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Doren, Andrew; D.M., University of Maryland'
  ➜ Skipping stray line: 'Dula, Kimberly; Ph.D., Mercer University'
  ➜ Skipping stray line: 'Duran, Anthony; DBA, Grand Canyon University'
  ➜ Skipping stray line: 'Ennis, Erica; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Etter, Edwin; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Feehery, George; DBA, Nova Southeastern University'
  ➜ Skipping stray line: 'Fisher, Paul; Ph.D., Oregon State University'
  ➜ Skipping stray line: 'Gallo, Merry; DBA, Argosy University'
  ➜ Skipping stray line: 'Garland, Jennifer; DBA, Keiser University'
  ➜ Skipping stray line: 'Geddes, Bruce; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gilyot, Bianca; MBA, Northcentral University'
  ➜ Skipping stray line: 'Giscombe, Hilbert; DBA, Argosy University'
  ➜ Skipping stray line: 'Gough, Gregory; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Green, Maurice; Ph.D., University at Albany – State University of New York'
  ➜ Skipping stray line: 'Gunn, Linda; Ph.D., Union Institute and University'
  ➜ Skipping stray line: 'Havins, Merwin; Ed.D., Northern Arizona University'
  ➜ Skipping stray line: 'Heinzman, Joseph; DM, Colorado Technical University'
  ➜ Skipping stray line: 'Hon, Charles; Ph.D., Capella University'
  ➜ Skipping stray line: 'Hudson, Brandi; J.D., Regent University'
  ➜ Skipping stray line: 'Iannucci, Brian; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Imboden, Paul; DBA., Northcentral University'
  ➜ Skipping stray line: 'Jividen, Jim; J.D., Ohio Northern University'
  ➜ Skipping stray line: 'Jones, Alan; MBA, Dartmouth College'
  ➜ Skipping stray line: 'Justice, Jeanne; DBA, Walden University'
  ➜ Skipping stray line: 'Kale, Mrinalini; Ph.D., Capella University'
  ➜ Skipping stray line: 'Kenny, Timothy; M.S., Regis University'
  ➜ Skipping stray line: 'Kowalski, Christine; Ed.D., National Louis University'
  ➜ Skipping stray line: 'Kushniroff, Melinda; Ed.D., Liberty University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 181'
  ➜ Skipping stray line: 'La Hay, Ann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Lagroue, Harold; Ph.D., Louisiana State University'
  ➜ Skipping stray line: 'Lamer, Maryann; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Langdon, Debra; MBA, Denver University'
  ➜ Skipping stray line: 'Lutter-Cooper, Victoria; Ph.D., Capella University'
  ➜ Skipping stray line: 'Marshall, Mario; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'McClesky, Jamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'McNulty, Peggy; Ph.D., University of Colorado-Colorado Springs'
  ➜ Skipping stray line: 'Melton, Rebecca; Ph.D., Chicago School of Professional Psychology'
  ➜ Skipping stray line: 'Mills, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Moore, Detria; J.D., Liberty University'
  ➜ Skipping stray line: 'Neely, Cecil; MBA, University of North Carolina at Greensboro'
  ➜ Skipping stray line: 'Nelms, Linda; Ph.D., Capella University'
  ➜ Skipping stray line: 'Nelson, Camille; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'O’Brien, Joseph; Ed.D., George Washington University'
  ➜ Skipping stray line: 'Openshaw, Matthew; Ph.D., University of Texas at Dallas'
  ➜ Skipping stray line: 'Parish, Beth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Patterson, Julie; Ph.D., University of Illinois at Urbana-Champaign'
  ➜ Skipping stray line: 'Pawarski, Richard; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Phillips, Patti; J.D., Stetson University'
  ➜ Skipping stray line: 'Pratt, Christopher; DHA, University of Phoenix'
  ➜ Skipping stray line: 'Raimo, Steve; DSL, Regent University'
  ➜ Skipping stray line: 'Richardson, Shay; DBA, Walden University'
  ➜ Skipping stray line: 'Roberts, Tracia; M.S., University of Phoenix'
  ➜ Skipping stray line: 'Roberts, Wade; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Rogers, Katie; MBA, University of Utah'
  ➜ Skipping stray line: 'Sawant, Gauri; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Shah, Rob; MBA, DeVry University'
  ➜ Skipping stray line: 'Shepherd, Tracie; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Skinner, Susan; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Snipes, Dawna; J.D., Western Michigan University'
  ➜ Skipping stray line: 'Souder, Michele; MBA, University of Dayton'
  ➜ Skipping stray line: 'Spicer, Ronald; Ph.D., Capella University'
  ➜ Skipping stray line: 'Stewart, Michelle; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Strickland, Cynthia; Ph.D., Touro University International'
  ➜ Skipping stray line: 'Swarthout, Nanette; MBA, Fontbonne University'
  ➜ Skipping stray line: 'Tapp, Timothy; MHA, Washington University'
  ➜ Skipping stray line: 'Thomas, Melanie; J.D., University of North Carolina'
  ➜ Skipping stray line: 'Venkateswar, Sankaran; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Wachter, Eddie; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Wade, Keith; MBA, University of Detroit'
  ➜ Skipping stray line: 'Walker, Natalie; DBA, Keiser University'
  ➜ Skipping stray line: 'Wang, Xiaofei; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Williams, Pegeen; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Williams, Rian; MPA, University of Utah'
  ➜ Skipping stray line: 'Wood, Carrie; M.S., Strayer University'
  ➜ Skipping stray line: 'College of Information Technology'
  ➜ Skipping stray line: 'Al-Husaam, Abdul; Ph.D., Capella University'
  ➜ Skipping stray line: 'Alberici, Mary; Ph.D., University of Missouri-St. Louis'
  ➜ Skipping stray line: 'Allen, Candice; M.A., Capella University'
  ➜ Skipping stray line: 'Antonucci, Amy; M.S., University of Delaware'
  ➜ Skipping stray line: 'Banerjee, Pubali; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'Beverley, Charles; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Blanson, Constance; Ph.D., Capella University'
  ➜ Skipping stray line: 'Bojonny, John; M.S., Marywood University'
  ➜ Skipping stray line: 'Borsum, Pamela; MBA, Western Governors University'
  ➜ Skipping stray line: 'Campbell, Wendy; DBA, Northcentral University'
  ➜ Skipping stray line: 'Carter, Betty; M.S., Troy University'
  ➜ Skipping stray line: 'Cobbs, Dana; M.S., College of William and Mary'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 182'
  ➜ Skipping stray line: 'Cook, Henry; M.S., Clark Atlanta University'
  ➜ Skipping stray line: 'Crawford, Demetria; M.S., Boston University'
  ➜ Skipping stray line: 'Dupree, Yolanda; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Farmer, Jaynee; M.A., University of Arkansas at Little Rock'
  ➜ Skipping stray line: 'Ferdinand, Jeff; M.S., Trident University International'
  ➜ Skipping stray line: 'Gardner, Diana; MBA, Western Governors University'
  ➜ Skipping stray line: 'Garza, Brian; M.S., Western Governors University'
  ➜ Skipping stray line: 'Goodwin, Orenthio; Ph.D., Capella University'
  ➜ Skipping stray line: 'Heiner, Jenny; M.S., Capitol College'
  ➜ Skipping stray line: 'Huff, David; Ph.D., Wayne State University'
  ➜ Skipping stray line: 'Jensen, Bryan; M.S., Bellvue University'
  ➜ Skipping stray line: 'Kercher, Paul; M.S., Missouri University of Science and Technology'
  ➜ Skipping stray line: 'LaMolinare, Deana; M.S., Duquesne University'
  ➜ Skipping stray line: 'Lang, Cythia; MSCHe, University of Maryland'
  ➜ Skipping stray line: 'Lavieri, Edward; DCS, Colorado Technical University'
  ➜ Skipping stray line: 'Light, Gerri; M.S., Walden University'
  ➜ Skipping stray line: 'Lively, Charles; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'McFarlane, Michele; M.S., DeVry University'
  ➜ Skipping stray line: 'McLaughlin, Mike; M.S., University of Maine'
  ➜ Skipping stray line: 'Mendell, Ronald; M.S., Capitol College'
  ➜ Skipping stray line: 'Milham, Thomas; MNCM, DeVry University'
  ➜ Skipping stray line: 'Moore, Ronald; M.A., Troy University'
  ➜ Skipping stray line: 'Morrill, Ralph; Ph.D., North Central University'
  ➜ Skipping stray line: 'Ntinglet-Davis, Emelda; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Ozmer, Connie; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Paddock, Charles; Ph.D., University of Houston'
  ➜ Skipping stray line: 'Peterson, Michael; Ph.D., Capella University'
  ➜ Skipping stray line: 'Pinaire, Ken; MBA, University of Texas at Dallas'
  ➜ Skipping stray line: 'Rawlinson, David; J.D., South Texas College of Law'
  ➜ Skipping stray line: 'Schaefer, Brett; MBA, DeVry University'
  ➜ Skipping stray line: 'Shenk, Maria; M.S., City University of Seattle'
  ➜ Skipping stray line: 'Scutro, Rebecca; M.S., Saint Joseph’s University'
  ➜ Skipping stray line: 'Sewell, William; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Sher-DeCusatis, Carolyn; M.A., State University of New York at Stony Brook'
  ➜ Skipping stray line: 'Shields, Jessica; MFA, Savannah College of Art and Design'
  ➜ Skipping stray line: 'Sistelos, Antonio; Ph.D., Indiana State University'
  ➜ Skipping stray line: 'Stromberg, Scott; M.S., Nova Southeastern University'
  ➜ Skipping stray line: 'Swanson, Tom; Ph.D., Capella University'
  ➜ Skipping stray line: 'Taylor, Julinda; M.S., Wichita State University'
  ➜ Skipping stray line: 'Travis, Susan; M.A., University of Phoenix'
  ➜ Skipping stray line: 'College of Health Professions'
  ➜ Skipping stray line: 'Abdur-Rahman, Veronica; Ph.D., Texas Woman’s University'
  ➜ Skipping stray line: 'Abee, Debra; M.S., University of North Carolina Greensboro'
  ➜ Skipping stray line: 'Abraham, Gail; MSN/ED, University of Phoenix'
  ➜ Skipping stray line: 'Adams, Lora; M.S., Michigan State University'
  ➜ Skipping stray line: 'Adkins, Dee; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Allen, Juanita; DNP, University of Utah'
  ➜ Skipping stray line: 'Ashby, Shelley; DNP, University of Southern Indiana'
  ➜ Skipping stray line: 'Austgen, Donna; M.S., University of Indianapolis'
  ➜ Skipping stray line: 'Barber, Kendar; M.S., Indiana University'
  ➜ Skipping stray line: 'Battle, Linda; DNP, Regis College'
  ➜ Skipping stray line: 'Benoit, Heidi; M.S., Western Governors University'
  ➜ Skipping stray line: 'Benson, Johnett; DNP, Kent State University'
  ➜ Skipping stray line: 'Bergfeld, Marcia; M.S., Lourdes College'
  ➜ Skipping stray line: 'Berndt, Janeen; DNP, Valparaiso University'
  ➜ Skipping stray line: 'Blaine, Stephanie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Cain, Lyn; Ph.D., Grand Canyon University'
  ➜ Skipping stray line: 'Carney, Mary; DNP, Touro University – Nevada'
  ➜ Skipping stray line: 'Chau-Nguyen, Thao; MPH, Tulane University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 183'
  ➜ Skipping stray line: 'Cleveland, Melissa; DNP, Rocky Mountain University'
  ➜ Skipping stray line: 'Cloonan, Kelly; DNP, Case Western Reserve'
  ➜ Skipping stray line: 'Dahdal, Kimberly; M.S., Western Governors University'
  ➜ Skipping stray line: 'Dantzler, Barbara; Ph.D., Trident University'
  ➜ Skipping stray line: 'Diaz, Constance; Ph.D., University of Northern Colorado'
  ➜ Skipping stray line: 'Diaz, Lorna; DNP, Western University of Health Sciences'
  ➜ Skipping stray line: 'Dorin, Michelle; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Dush, Curtis; M.S., East Tennessee State University'
  ➜ Skipping stray line: 'Elmer, Justine; M.S., Kaplan University'
  ➜ Skipping stray line: 'Englert, Mary; DNP, University of North Florida'
  ➜ Skipping stray line: 'Feather, Rebecca; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Frankie, Sandra; M.S., Western Governors University'
  ➜ Skipping stray line: 'Gabel, Ann; M.S., University of Kansas'
  ➜ Skipping stray line: 'Gayol, Marcos; M.S., Aspen University'
  ➜ Skipping stray line: 'Giaquinto, Elisa; M.A., Brown University'
  ➜ Skipping stray line: 'Gogatz, Debra; DNP, Regis University'
  ➜ Skipping stray line: 'Golden, Christina; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Gottesfeld, Ilene; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Gwyn, Elizabeth; M.S., Winston Salem State University'
  ➜ Skipping stray line: 'Hadsell, Christine; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Hansen, Julie; Ph.D., South Dakota State University'
  ➜ Skipping stray line: 'Hartley-Clanton, Patricia; M.S., University of Utah'
  ➜ Skipping stray line: 'Hawkins, Shannon; M.S., Walden University'
  ➜ Skipping stray line: 'Heyer-Schmidt, Theres-Anne; ND, University of Colorado-Denver'
  ➜ Skipping stray line: 'Hill, Dana; Ph.D., Walden University'
  ➜ Skipping stray line: 'Hunt, Eleanor; M.S., Duke University'
  ➜ Skipping stray line: 'Johnson-Anderson, Heidi; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Kangas, Sandra; Ph.D., Georgia State University'
  ➜ Skipping stray line: 'Kogan, Lisa; M.S., Western Governors University'
  ➜ Skipping stray line: 'Langer Atkinson, Heidi; Ph.D., University of Albany'
  ➜ Skipping stray line: 'Lashlee, Marilyn; DNP, Northeastern University'
  ➜ Skipping stray line: 'Long, Jennifer; M.S., Indiana University'
  ➜ Skipping stray line: 'Marshall, Janet; Ph.D., Rush University'
  ➜ Title candidate: 'Masterson, Debra; Ed.D., Liberty University'
  ✔️ Collected description (40 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 5997: 'C650 - Geology I: Physical - Geology I: Physical provides graduate students seeking licensure or endorsement in science education for grades 5-12'

🔍 parse_program: starting at line 5997: 'C650 - Geology I: Physical - Geology I: Physical provides graduate students seeking licensure or endorsement in science education for grades 5-12'
  ➜ Title candidate: 'C650 - Geology I: Physical - Geology I: Physical provides graduate students seeking licensure or endorsement in science education for grades 5-12'
  ❌ Invalid title line: 'C650 - Geology I: Physical - Geology I: Physical provides graduate students seeking licensure or endorsement in science education for grades 5-12'
  ➜ Parsing at 5998: 'with an introduction to minerals and rocks, the physical features of the Earth, and the internal and surface processes that shape those features. This'

🔍 parse_program: starting at line 5998: 'with an introduction to minerals and rocks, the physical features of the Earth, and the internal and surface processes that shape those features. This'
  ➜ Title candidate: 'with an introduction to minerals and rocks, the physical features of the Earth, and the internal and surface processes that shape those features. This'
  ❌ Invalid title line: 'with an introduction to minerals and rocks, the physical features of the Earth, and the internal and surface processes that shape those features. This'
  ➜ Parsing at 5999: 'course has no prerequisites.'

🔍 parse_program: starting at line 5999: 'course has no prerequisites.'
  ➜ Title candidate: 'course has no prerequisites.'
  ❌ Invalid title line: 'course has no prerequisites.'
  ➜ Parsing at 6000: 'C652 - Heredity and Genetics - Heredity and Genetics is an introductory course for undergraduate students seeking initial licensure or endorsement'

🔍 parse_program: starting at line 6000: 'C652 - Heredity and Genetics - Heredity and Genetics is an introductory course for undergraduate students seeking initial licensure or endorsement'
  ➜ Title candidate: 'C652 - Heredity and Genetics - Heredity and Genetics is an introductory course for undergraduate students seeking initial licensure or endorsement'
  ❌ Invalid title line: 'C652 - Heredity and Genetics - Heredity and Genetics is an introductory course for undergraduate students seeking initial licensure or endorsement'
  ➜ Parsing at 6001: 'in biology education for grades 5–12. This course addresses the basic principles of heredity and the function of molecular genetics. Topics include'

🔍 parse_program: starting at line 6001: 'in biology education for grades 5–12. This course addresses the basic principles of heredity and the function of molecular genetics. Topics include'
  ➜ Title candidate: 'in biology education for grades 5–12. This course addresses the basic principles of heredity and the function of molecular genetics. Topics include'
  ❌ Invalid title line: 'in biology education for grades 5–12. This course addresses the basic principles of heredity and the function of molecular genetics. Topics include'
  ➜ Parsing at 6002: 'Mendelian and non-Mendelian inheritance and population genetics. This course has no prerequisites.'

🔍 parse_program: starting at line 6002: 'Mendelian and non-Mendelian inheritance and population genetics. This course has no prerequisites.'
  ➜ Title candidate: 'Mendelian and non-Mendelian inheritance and population genetics. This course has no prerequisites.'
  ❌ Invalid title line: 'Mendelian and non-Mendelian inheritance and population genetics. This course has no prerequisites.'
  ➜ Parsing at 6003: 'C653 - Heredity and Genetics - Heredity and Genetics is an introductory course for graduate students seeking initial licensure or endorsement in'

🔍 parse_program: starting at line 6003: 'C653 - Heredity and Genetics - Heredity and Genetics is an introductory course for graduate students seeking initial licensure or endorsement in'
  ➜ Title candidate: 'C653 - Heredity and Genetics - Heredity and Genetics is an introductory course for graduate students seeking initial licensure or endorsement in'
  ❌ Invalid title line: 'C653 - Heredity and Genetics - Heredity and Genetics is an introductory course for graduate students seeking initial licensure or endorsement in'
  ➜ Parsing at 6004: 'biology (grades 5–12). This course addresses the basic principles of heredity and the function of molecular genetics. Topics include Mendelian and'

🔍 parse_program: starting at line 6004: 'biology (grades 5–12). This course addresses the basic principles of heredity and the function of molecular genetics. Topics include Mendelian and'
  ➜ Title candidate: 'biology (grades 5–12). This course addresses the basic principles of heredity and the function of molecular genetics. Topics include Mendelian and'
  ❌ Invalid title line: 'biology (grades 5–12). This course addresses the basic principles of heredity and the function of molecular genetics. Topics include Mendelian and'
  ➜ Parsing at 6005: 'non-Mendelian inheritance and population genetics. This course has no prerequisites.'

🔍 parse_program: starting at line 6005: 'non-Mendelian inheritance and population genetics. This course has no prerequisites.'
  ➜ Title candidate: 'non-Mendelian inheritance and population genetics. This course has no prerequisites.'
  ❌ Invalid title line: 'non-Mendelian inheritance and population genetics. This course has no prerequisites.'
  ➜ Parsing at 6006: 'C654 - Zoology - Zoology provides students seeking licensure or endorsement in biology, grades 5-12, with an introduction to the field of zoology.'

🔍 parse_program: starting at line 6006: 'C654 - Zoology - Zoology provides students seeking licensure or endorsement in biology, grades 5-12, with an introduction to the field of zoology.'
  ➜ Title candidate: 'C654 - Zoology - Zoology provides students seeking licensure or endorsement in biology, grades 5-12, with an introduction to the field of zoology.'
  ❌ Invalid title line: 'C654 - Zoology - Zoology provides students seeking licensure or endorsement in biology, grades 5-12, with an introduction to the field of zoology.'
  ➜ Parsing at 6007: 'Zoology includes the study of major animal phyla emphasizing characteristics, variations in anatomy, life cycles, adaptations, and relationships among'

🔍 parse_program: starting at line 6007: 'Zoology includes the study of major animal phyla emphasizing characteristics, variations in anatomy, life cycles, adaptations, and relationships among'
  ➜ Title candidate: 'Zoology includes the study of major animal phyla emphasizing characteristics, variations in anatomy, life cycles, adaptations, and relationships among'
  ❌ Invalid title line: 'Zoology includes the study of major animal phyla emphasizing characteristics, variations in anatomy, life cycles, adaptations, and relationships among'
  ➜ Parsing at 6008: 'the animal kingdom. Prerequisite: Introduction to Biology.'

🔍 parse_program: starting at line 6008: 'the animal kingdom. Prerequisite: Introduction to Biology.'
  ➜ Title candidate: 'the animal kingdom. Prerequisite: Introduction to Biology.'
  ❌ Invalid title line: 'the animal kingdom. Prerequisite: Introduction to Biology.'
  ➜ Parsing at 6009: 'C655 - Zoology - Zoology provides students seeking licensure or endorsement in biology, grades 5-12, with an introduction to the field of zoology.'

🔍 parse_program: starting at line 6009: 'C655 - Zoology - Zoology provides students seeking licensure or endorsement in biology, grades 5-12, with an introduction to the field of zoology.'
  ➜ Title candidate: 'C655 - Zoology - Zoology provides students seeking licensure or endorsement in biology, grades 5-12, with an introduction to the field of zoology.'
  ❌ Invalid title line: 'C655 - Zoology - Zoology provides students seeking licensure or endorsement in biology, grades 5-12, with an introduction to the field of zoology.'
  ➜ Parsing at 6010: 'Zoology includes the study of major animal phyla emphasizing characteristics, variations in anatomy, life cycles, adaptations, and relationships among'

🔍 parse_program: starting at line 6010: 'Zoology includes the study of major animal phyla emphasizing characteristics, variations in anatomy, life cycles, adaptations, and relationships among'
  ➜ Title candidate: 'Zoology includes the study of major animal phyla emphasizing characteristics, variations in anatomy, life cycles, adaptations, and relationships among'
  ❌ Invalid title line: 'Zoology includes the study of major animal phyla emphasizing characteristics, variations in anatomy, life cycles, adaptations, and relationships among'
  ➜ Parsing at 6011: 'the animal kingdom. Prerequisite: Introduction to Biology.'

🔍 parse_program: starting at line 6011: 'the animal kingdom. Prerequisite: Introduction to Biology.'
  ➜ Title candidate: 'the animal kingdom. Prerequisite: Introduction to Biology.'
  ❌ Invalid title line: 'the animal kingdom. Prerequisite: Introduction to Biology.'
  ➜ Parsing at 6012: 'C656 - Calculus III - Calculus III is the study of calculus conducted in three-or-higher-dimensional space. It covers the knowledge and skills necessary'

🔍 parse_program: starting at line 6012: 'C656 - Calculus III - Calculus III is the study of calculus conducted in three-or-higher-dimensional space. It covers the knowledge and skills necessary'
  ➜ Title candidate: 'C656 - Calculus III - Calculus III is the study of calculus conducted in three-or-higher-dimensional space. It covers the knowledge and skills necessary'
  ❌ Invalid title line: 'C656 - Calculus III - Calculus III is the study of calculus conducted in three-or-higher-dimensional space. It covers the knowledge and skills necessary'
  ➜ Parsing at 6013: 'to apply calculus of multiple variables while using the appropriate technology to model and solve real-life problems. Topics include: infinite series and'

🔍 parse_program: starting at line 6013: 'to apply calculus of multiple variables while using the appropriate technology to model and solve real-life problems. Topics include: infinite series and'
  ➜ Title candidate: 'to apply calculus of multiple variables while using the appropriate technology to model and solve real-life problems. Topics include: infinite series and'
  ❌ Invalid title line: 'to apply calculus of multiple variables while using the appropriate technology to model and solve real-life problems. Topics include: infinite series and'
  ➜ Parsing at 6014: 'convergence tests (integral, comparison, ratio, root, and alternating), power series, taylor polynomials, vectors, lines and planes in three dimensions,'

🔍 parse_program: starting at line 6014: 'convergence tests (integral, comparison, ratio, root, and alternating), power series, taylor polynomials, vectors, lines and planes in three dimensions,'
  ➜ Title candidate: 'convergence tests (integral, comparison, ratio, root, and alternating), power series, taylor polynomials, vectors, lines and planes in three dimensions,'
  ❌ Invalid title line: 'convergence tests (integral, comparison, ratio, root, and alternating), power series, taylor polynomials, vectors, lines and planes in three dimensions,'
  ➜ Parsing at 6015: 'dot and cross products, multivariable functions, limits, and continuity, partial derivatives, directional derivatives, gradients, tangent planes, normal'

🔍 parse_program: starting at line 6015: 'dot and cross products, multivariable functions, limits, and continuity, partial derivatives, directional derivatives, gradients, tangent planes, normal'
  ➜ Title candidate: 'dot and cross products, multivariable functions, limits, and continuity, partial derivatives, directional derivatives, gradients, tangent planes, normal'
  ❌ Invalid title line: 'dot and cross products, multivariable functions, limits, and continuity, partial derivatives, directional derivatives, gradients, tangent planes, normal'
  ➜ Parsing at 6016: 'lines, and extreme values. Calculus II is a prerequisite for this course.'

🔍 parse_program: starting at line 6016: 'lines, and extreme values. Calculus II is a prerequisite for this course.'
  ➜ Title candidate: 'lines, and extreme values. Calculus II is a prerequisite for this course.'
  ❌ Invalid title line: 'lines, and extreme values. Calculus II is a prerequisite for this course.'
  ➜ Parsing at 6017: 'C657 - Calculus III - Calculus III is the study of calculus conducted in three-or-higher-dimensional space. It covers the knowledge and skills necessary'

🔍 parse_program: starting at line 6017: 'C657 - Calculus III - Calculus III is the study of calculus conducted in three-or-higher-dimensional space. It covers the knowledge and skills necessary'
  ➜ Title candidate: 'C657 - Calculus III - Calculus III is the study of calculus conducted in three-or-higher-dimensional space. It covers the knowledge and skills necessary'
  ❌ Invalid title line: 'C657 - Calculus III - Calculus III is the study of calculus conducted in three-or-higher-dimensional space. It covers the knowledge and skills necessary'
  ➜ Parsing at 6018: 'to apply calculus of multiple variables while using the appropriate technology to model and solve real-life problems. Topics include: infinite series and'

🔍 parse_program: starting at line 6018: 'to apply calculus of multiple variables while using the appropriate technology to model and solve real-life problems. Topics include: infinite series and'
  ➜ Title candidate: 'to apply calculus of multiple variables while using the appropriate technology to model and solve real-life problems. Topics include: infinite series and'
  ❌ Invalid title line: 'to apply calculus of multiple variables while using the appropriate technology to model and solve real-life problems. Topics include: infinite series and'
  ➜ Parsing at 6019: 'convergence tests (integral, comparison, ratio, root, and alternating), power series,taylor polynomials, vectors, lines and planes in three dimensions,'

🔍 parse_program: starting at line 6019: 'convergence tests (integral, comparison, ratio, root, and alternating), power series,taylor polynomials, vectors, lines and planes in three dimensions,'
  ➜ Title candidate: 'convergence tests (integral, comparison, ratio, root, and alternating), power series,taylor polynomials, vectors, lines and planes in three dimensions,'
  ❌ Invalid title line: 'convergence tests (integral, comparison, ratio, root, and alternating), power series,taylor polynomials, vectors, lines and planes in three dimensions,'
  ➜ Parsing at 6020: 'dot and cross products, multivariable functions, limits, and continuity, partial derivatives, directional derivatives, gradients, tangent planes, normal'

🔍 parse_program: starting at line 6020: 'dot and cross products, multivariable functions, limits, and continuity, partial derivatives, directional derivatives, gradients, tangent planes, normal'
  ➜ Title candidate: 'dot and cross products, multivariable functions, limits, and continuity, partial derivatives, directional derivatives, gradients, tangent planes, normal'
  ❌ Invalid title line: 'dot and cross products, multivariable functions, limits, and continuity, partial derivatives, directional derivatives, gradients, tangent planes, normal'
  ➜ Parsing at 6021: 'lines, and extreme values. Calculus II is a prerequisite for this course.'

🔍 parse_program: starting at line 6021: 'lines, and extreme values. Calculus II is a prerequisite for this course.'
  ➜ Title candidate: 'lines, and extreme values. Calculus II is a prerequisite for this course.'
  ❌ Invalid title line: 'lines, and extreme values. Calculus II is a prerequisite for this course.'
  ➜ Parsing at 6022: 'C659 - Conceptual Physics - Conceptual Physics provides a broad, conceptual overview of the main principles of physics, including mechanics,'

🔍 parse_program: starting at line 6022: 'C659 - Conceptual Physics - Conceptual Physics provides a broad, conceptual overview of the main principles of physics, including mechanics,'
  ➜ Title candidate: 'C659 - Conceptual Physics - Conceptual Physics provides a broad, conceptual overview of the main principles of physics, including mechanics,'
  ❌ Invalid title line: 'C659 - Conceptual Physics - Conceptual Physics provides a broad, conceptual overview of the main principles of physics, including mechanics,'
  ➜ Parsing at 6023: 'thermodynamics, wave motion, modern physics, and electricity and magnetism. Problem-solving activities and laboratory experiments provide'

🔍 parse_program: starting at line 6023: 'thermodynamics, wave motion, modern physics, and electricity and magnetism. Problem-solving activities and laboratory experiments provide'
  ➜ Title candidate: 'thermodynamics, wave motion, modern physics, and electricity and magnetism. Problem-solving activities and laboratory experiments provide'
  ❌ Invalid title line: 'thermodynamics, wave motion, modern physics, and electricity and magnetism. Problem-solving activities and laboratory experiments provide'
  ➜ Parsing at 6024: 'students with opportunities to apply these main principles, creating a strong foundation for future studies in physics. There are no prerequisites for this'

🔍 parse_program: starting at line 6024: 'students with opportunities to apply these main principles, creating a strong foundation for future studies in physics. There are no prerequisites for this'
  ➜ Title candidate: 'students with opportunities to apply these main principles, creating a strong foundation for future studies in physics. There are no prerequisites for this'
  ❌ Invalid title line: 'students with opportunities to apply these main principles, creating a strong foundation for future studies in physics. There are no prerequisites for this'
  ➜ Parsing at 6025: 'course.'

🔍 parse_program: starting at line 6025: 'course.'
  ➜ Title candidate: 'course.'
  ❌ Invalid title line: 'course.'
  ➜ Parsing at 6026: 'C682 - Mathematics for Elementary Educators - Mathematics for Elementary Educators III engages pre-service elementary teachers in'

🔍 parse_program: starting at line 6026: 'C682 - Mathematics for Elementary Educators - Mathematics for Elementary Educators III engages pre-service elementary teachers in'
  ➜ Title candidate: 'C682 - Mathematics for Elementary Educators - Mathematics for Elementary Educators III engages pre-service elementary teachers in'
  ❌ Invalid title line: 'C682 - Mathematics for Elementary Educators - Mathematics for Elementary Educators III engages pre-service elementary teachers in'
  ➜ Parsing at 6027: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in statistics, measurement, and'

🔍 parse_program: starting at line 6027: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in statistics, measurement, and'
  ➜ Title candidate: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in statistics, measurement, and'
  ❌ Invalid title line: 'mathematical practices based on deep understanding of underlying concepts. The course covers important topics in statistics, measurement, and'
  ➜ Parsing at 6028: 'covers geometry from synthetic, transformational, and coordinate perspectives. This is the third course in a three-course sequence.'

🔍 parse_program: starting at line 6028: 'covers geometry from synthetic, transformational, and coordinate perspectives. This is the third course in a three-course sequence.'
  ➜ Title candidate: 'covers geometry from synthetic, transformational, and coordinate perspectives. This is the third course in a three-course sequence.'
  ❌ Invalid title line: 'covers geometry from synthetic, transformational, and coordinate perspectives. This is the third course in a three-course sequence.'
  ➜ Parsing at 6029: 'C683 - Natural Science Lab - This course gives you an introduction to using the scientific method and engaging in scientific research to reach'

🔍 parse_program: starting at line 6029: 'C683 - Natural Science Lab - This course gives you an introduction to using the scientific method and engaging in scientific research to reach'
  ➜ Title candidate: 'C683 - Natural Science Lab - This course gives you an introduction to using the scientific method and engaging in scientific research to reach'
  ❌ Invalid title line: 'C683 - Natural Science Lab - This course gives you an introduction to using the scientific method and engaging in scientific research to reach'
  ➜ Parsing at 6030: 'conclusions about the natural world. You will design and carry out an experiment to investigate a hypothesis by gathering quantitative data.'

🔍 parse_program: starting at line 6030: 'conclusions about the natural world. You will design and carry out an experiment to investigate a hypothesis by gathering quantitative data.'
  ➜ Title candidate: 'conclusions about the natural world. You will design and carry out an experiment to investigate a hypothesis by gathering quantitative data.'
  ❌ Invalid title line: 'conclusions about the natural world. You will design and carry out an experiment to investigate a hypothesis by gathering quantitative data.'
  ➜ Parsing at 6031: 'C688 - Cyberwarfare - This course introduces you to the real-world battlefield of cyberspace. It covers the history of cyberwarfare and the variety of'

🔍 parse_program: starting at line 6031: 'C688 - Cyberwarfare - This course introduces you to the real-world battlefield of cyberspace. It covers the history of cyberwarfare and the variety of'
  ➜ Title candidate: 'C688 - Cyberwarfare - This course introduces you to the real-world battlefield of cyberspace. It covers the history of cyberwarfare and the variety of'
  ❌ Invalid title line: 'C688 - Cyberwarfare - This course introduces you to the real-world battlefield of cyberspace. It covers the history of cyberwarfare and the variety of'
  ➜ Parsing at 6032: 'new concerns its emergence has fostered. This course explores how cyberwarfare has become an important part of the modern military arsenal and'

🔍 parse_program: starting at line 6032: 'new concerns its emergence has fostered. This course explores how cyberwarfare has become an important part of the modern military arsenal and'
  ➜ Title candidate: 'new concerns its emergence has fostered. This course explores how cyberwarfare has become an important part of the modern military arsenal and'
  ❌ Invalid title line: 'new concerns its emergence has fostered. This course explores how cyberwarfare has become an important part of the modern military arsenal and'
  ➜ Parsing at 6033: 'provides strategies for protecting a threatened network, as well as strategies for dealing with specific cyber war actors and threats. It then concludes'

🔍 parse_program: starting at line 6033: 'provides strategies for protecting a threatened network, as well as strategies for dealing with specific cyber war actors and threats. It then concludes'
  ➜ Title candidate: 'provides strategies for protecting a threatened network, as well as strategies for dealing with specific cyber war actors and threats. It then concludes'
  ❌ Invalid title line: 'provides strategies for protecting a threatened network, as well as strategies for dealing with specific cyber war actors and threats. It then concludes'
  ➜ Parsing at 6034: 'with an exploration of the future of cyberwarfare considering the evolution of cyber-related capabilities, current threats, and emerging technology.'

🔍 parse_program: starting at line 6034: 'with an exploration of the future of cyberwarfare considering the evolution of cyber-related capabilities, current threats, and emerging technology.'
  ➜ Title candidate: 'with an exploration of the future of cyberwarfare considering the evolution of cyber-related capabilities, current threats, and emerging technology.'
  ❌ Invalid title line: 'with an exploration of the future of cyberwarfare considering the evolution of cyber-related capabilities, current threats, and emerging technology.'
  ➜ Parsing at 6035: 'C697 - Operating Systems I - This course prepares students for the following certification exam: CompTIA Linux+ Part I.'

🔍 parse_program: starting at line 6035: 'C697 - Operating Systems I - This course prepares students for the following certification exam: CompTIA Linux+ Part I.'
  ➜ Title candidate: 'C697 - Operating Systems I - This course prepares students for the following certification exam: CompTIA Linux+ Part I.'
  ❌ Invalid title line: 'C697 - Operating Systems I - This course prepares students for the following certification exam: CompTIA Linux+ Part I.'
  ➜ Parsing at 6036: 'C698 - Operating Systems II - This course prepares students for the following certification exam: CompTIA Linux+ Part II.'

🔍 parse_program: starting at line 6036: 'C698 - Operating Systems II - This course prepares students for the following certification exam: CompTIA Linux+ Part II.'
  ➜ Title candidate: 'C698 - Operating Systems II - This course prepares students for the following certification exam: CompTIA Linux+ Part II.'
  ❌ Invalid title line: 'C698 - Operating Systems II - This course prepares students for the following certification exam: CompTIA Linux+ Part II.'
  ➜ Parsing at 6037: 'C700 - Secure Network Design - This course provides an in-depth look at organizational challenges and threats to networks that are connected to'

🔍 parse_program: starting at line 6037: 'C700 - Secure Network Design - This course provides an in-depth look at organizational challenges and threats to networks that are connected to'
  ➜ Title candidate: 'C700 - Secure Network Design - This course provides an in-depth look at organizational challenges and threats to networks that are connected to'
  ❌ Invalid title line: 'C700 - Secure Network Design - This course provides an in-depth look at organizational challenges and threats to networks that are connected to'
  ➜ Parsing at 6038: 'the public Internet. Network security will be discussed in the context of how hackers gain access to networks and the use of Firewalls and VPNs to'

🔍 parse_program: starting at line 6038: 'the public Internet. Network security will be discussed in the context of how hackers gain access to networks and the use of Firewalls and VPNs to'
  ➜ Title candidate: 'the public Internet. Network security will be discussed in the context of how hackers gain access to networks and the use of Firewalls and VPNs to'
  ❌ Invalid title line: 'the public Internet. Network security will be discussed in the context of how hackers gain access to networks and the use of Firewalls and VPNs to'
  ➜ Parsing at 6039: 'provide security countermeasures. Also covered are methods and technologies to prepare the student to disarm threats, plan for emerging'

🔍 parse_program: starting at line 6039: 'provide security countermeasures. Also covered are methods and technologies to prepare the student to disarm threats, plan for emerging'
  ➜ Title candidate: 'provide security countermeasures. Also covered are methods and technologies to prepare the student to disarm threats, plan for emerging'
  ❌ Invalid title line: 'provide security countermeasures. Also covered are methods and technologies to prepare the student to disarm threats, plan for emerging'
  ➜ Parsing at 6040: 'technologies and future attacks.'

🔍 parse_program: starting at line 6040: 'technologies and future attacks.'
  ➜ Title candidate: 'technologies and future attacks.'
  ❌ Invalid title line: 'technologies and future attacks.'
  ➜ Parsing at 6041: 'C701 - Ethical Hacking - Ethical Hacking builds the skills necessary to protect an organization's information system from unauthorized access and'

🔍 parse_program: starting at line 6041: 'C701 - Ethical Hacking - Ethical Hacking builds the skills necessary to protect an organization's information system from unauthorized access and'
  ➜ Title candidate: 'C701 - Ethical Hacking - Ethical Hacking builds the skills necessary to protect an organization's information system from unauthorized access and'
  ❌ Invalid title line: 'C701 - Ethical Hacking - Ethical Hacking builds the skills necessary to protect an organization's information system from unauthorized access and'
  ➜ Parsing at 6042: 'system hacking. Topics include security threats, penetration testing, vulnerability analysis, risk mitigation, business-related issues, and'

🔍 parse_program: starting at line 6042: 'system hacking. Topics include security threats, penetration testing, vulnerability analysis, risk mitigation, business-related issues, and'
  ➜ Title candidate: 'system hacking. Topics include security threats, penetration testing, vulnerability analysis, risk mitigation, business-related issues, and'
  ❌ Invalid title line: 'system hacking. Topics include security threats, penetration testing, vulnerability analysis, risk mitigation, business-related issues, and'
  ➜ Parsing at 6043: 'countermeasures. Students will learn how to expose system vulnerabilities, solutions for eliminating and/or preventing them, and how to apply hacking'

🔍 parse_program: starting at line 6043: 'countermeasures. Students will learn how to expose system vulnerabilities, solutions for eliminating and/or preventing them, and how to apply hacking'
  ➜ Title candidate: 'countermeasures. Students will learn how to expose system vulnerabilities, solutions for eliminating and/or preventing them, and how to apply hacking'
  ❌ Invalid title line: 'countermeasures. Students will learn how to expose system vulnerabilities, solutions for eliminating and/or preventing them, and how to apply hacking'
  ➜ Parsing at 6044: 'skills on different types of networks and platforms. This course prepares students for the following certification exam: EC-Council’s Ethical Hacker'

🔍 parse_program: starting at line 6044: 'skills on different types of networks and platforms. This course prepares students for the following certification exam: EC-Council’s Ethical Hacker'
  ➜ Title candidate: 'skills on different types of networks and platforms. This course prepares students for the following certification exam: EC-Council’s Ethical Hacker'
  ❌ Invalid title line: 'skills on different types of networks and platforms. This course prepares students for the following certification exam: EC-Council’s Ethical Hacker'
  ➜ Parsing at 6045: 'certification exam (312-50). This course has no prerequisites.'

🔍 parse_program: starting at line 6045: 'certification exam (312-50). This course has no prerequisites.'
  ➜ Title candidate: 'certification exam (312-50). This course has no prerequisites.'
  ❌ Invalid title line: 'certification exam (312-50). This course has no prerequisites.'
  ➜ Parsing at 6046: 'C702 - Forensics and Network Intrusion - Forensics and Network Intrusion builds proficiency in detecting hacking attacks and properly extracting'

🔍 parse_program: starting at line 6046: 'C702 - Forensics and Network Intrusion - Forensics and Network Intrusion builds proficiency in detecting hacking attacks and properly extracting'
  ➜ Title candidate: 'C702 - Forensics and Network Intrusion - Forensics and Network Intrusion builds proficiency in detecting hacking attacks and properly extracting'
  ❌ Invalid title line: 'C702 - Forensics and Network Intrusion - Forensics and Network Intrusion builds proficiency in detecting hacking attacks and properly extracting'
  ➜ Parsing at 6047: 'evidence to report the crime and conduct audits to prevent future attacks. Topics include computer forensics in today’s world; media and operating'

🔍 parse_program: starting at line 6047: 'evidence to report the crime and conduct audits to prevent future attacks. Topics include computer forensics in today’s world; media and operating'
  ➜ Title candidate: 'evidence to report the crime and conduct audits to prevent future attacks. Topics include computer forensics in today’s world; media and operating'
  ❌ Invalid title line: 'evidence to report the crime and conduct audits to prevent future attacks. Topics include computer forensics in today’s world; media and operating'
  ➜ Parsing at 6048: 'system forensics; data and file forensics; audits and investigations; and device forensics. This course prepares students for the following certification'

🔍 parse_program: starting at line 6048: 'system forensics; data and file forensics; audits and investigations; and device forensics. This course prepares students for the following certification'
  ➜ Title candidate: 'system forensics; data and file forensics; audits and investigations; and device forensics. This course prepares students for the following certification'
  ❌ Invalid title line: 'system forensics; data and file forensics; audits and investigations; and device forensics. This course prepares students for the following certification'
  ➜ Parsing at 6049: 'exam: EC-Council Computer Hacking Forensic Investigator. This course has no prerequisites.'

🔍 parse_program: starting at line 6049: 'exam: EC-Council Computer Hacking Forensic Investigator. This course has no prerequisites.'
  ➜ Title candidate: 'exam: EC-Council Computer Hacking Forensic Investigator. This course has no prerequisites.'
  ❌ Invalid title line: 'exam: EC-Council Computer Hacking Forensic Investigator. This course has no prerequisites.'
  ➜ Parsing at 6050: 'C706 - Secure Software Design - This course provides a practical guide to establish proactive software security that focuses on analyzing risks,'

🔍 parse_program: starting at line 6050: 'C706 - Secure Software Design - This course provides a practical guide to establish proactive software security that focuses on analyzing risks,'
  ➜ Title candidate: 'C706 - Secure Software Design - This course provides a practical guide to establish proactive software security that focuses on analyzing risks,'
  ❌ Invalid title line: 'C706 - Secure Software Design - This course provides a practical guide to establish proactive software security that focuses on analyzing risks,'
  ➜ Parsing at 6051: 'understanding likely points of attack, and deciding how software responds to future attacks. Students learn how to construct software that can deal'

🔍 parse_program: starting at line 6051: 'understanding likely points of attack, and deciding how software responds to future attacks. Students learn how to construct software that can deal'
  ➜ Title candidate: 'understanding likely points of attack, and deciding how software responds to future attacks. Students learn how to construct software that can deal'
  ❌ Invalid title line: 'understanding likely points of attack, and deciding how software responds to future attacks. Students learn how to construct software that can deal'
  ➜ Parsing at 6052: 'with known and unknown attacks preemptively by examining systemic threats in various deployment environments and discussing vulnerabilities of'

🔍 parse_program: starting at line 6052: 'with known and unknown attacks preemptively by examining systemic threats in various deployment environments and discussing vulnerabilities of'
  ➜ Title candidate: 'with known and unknown attacks preemptively by examining systemic threats in various deployment environments and discussing vulnerabilities of'
  ❌ Invalid title line: 'with known and unknown attacks preemptively by examining systemic threats in various deployment environments and discussing vulnerabilities of'
  ➜ Parsing at 6053: 'software applications.'

🔍 parse_program: starting at line 6053: 'software applications.'
  ➜ Title candidate: 'software applications.'
  ❌ Invalid title line: 'software applications.'
  ➜ Parsing at 6054: 'C708 - Principles of Finance - This course provides students with the fundamental knowledge needed to understand and interact with finance'

🔍 parse_program: starting at line 6054: 'C708 - Principles of Finance - This course provides students with the fundamental knowledge needed to understand and interact with finance'
  ➜ Title candidate: 'C708 - Principles of Finance - This course provides students with the fundamental knowledge needed to understand and interact with finance'
  ❌ Invalid title line: 'C708 - Principles of Finance - This course provides students with the fundamental knowledge needed to understand and interact with finance'
  ➜ Parsing at 6055: 'professionals and to apply financial tools in their professional and personal lives. It focuses on the financial management of companies, but the course'

🔍 parse_program: starting at line 6055: 'professionals and to apply financial tools in their professional and personal lives. It focuses on the financial management of companies, but the course'
  ➜ Title candidate: 'professionals and to apply financial tools in their professional and personal lives. It focuses on the financial management of companies, but the course'
  ❌ Invalid title line: 'professionals and to apply financial tools in their professional and personal lives. It focuses on the financial management of companies, but the course'
  ➜ Parsing at 6056: 'will also provide a foundation for specialized study in banking and investment for those who choose to continue their study of finance.'

🔍 parse_program: starting at line 6056: 'will also provide a foundation for specialized study in banking and investment for those who choose to continue their study of finance.'
  ➜ Title candidate: 'will also provide a foundation for specialized study in banking and investment for those who choose to continue their study of finance.'
  ❌ Invalid title line: 'will also provide a foundation for specialized study in banking and investment for those who choose to continue their study of finance.'
  ➜ Parsing at 6057: 'C711 - Introduction to Business - This course introduces students to the various functional areas within an organization (e.g. marketing, production,'

🔍 parse_program: starting at line 6057: 'C711 - Introduction to Business - This course introduces students to the various functional areas within an organization (e.g. marketing, production,'
  ➜ Title candidate: 'C711 - Introduction to Business - This course introduces students to the various functional areas within an organization (e.g. marketing, production,'
  ❌ Invalid title line: 'C711 - Introduction to Business - This course introduces students to the various functional areas within an organization (e.g. marketing, production,'
  ➜ Parsing at 6058: 'finance, etc.) that support a firm’s overall business objectives.'

🔍 parse_program: starting at line 6058: 'finance, etc.) that support a firm’s overall business objectives.'
  ➜ Title candidate: 'finance, etc.) that support a firm’s overall business objectives.'
  ❌ Invalid title line: 'finance, etc.) that support a firm’s overall business objectives.'
  ➜ Parsing at 6059: 'C712 - Marketing Fundamentals - Marketing Fundamentals introduces students to principles of the marketing environment, social media, consumer'

🔍 parse_program: starting at line 6059: 'C712 - Marketing Fundamentals - Marketing Fundamentals introduces students to principles of the marketing environment, social media, consumer'
  ➜ Title candidate: 'C712 - Marketing Fundamentals - Marketing Fundamentals introduces students to principles of the marketing environment, social media, consumer'
  ❌ Invalid title line: 'C712 - Marketing Fundamentals - Marketing Fundamentals introduces students to principles of the marketing environment, social media, consumer'
  ➜ Parsing at 6060: 'behavior, marketing research, and market segmentation. Students will also explore marketing strategies that are related to products and services,'

🔍 parse_program: starting at line 6060: 'behavior, marketing research, and market segmentation. Students will also explore marketing strategies that are related to products and services,'
  ➜ Title candidate: 'behavior, marketing research, and market segmentation. Students will also explore marketing strategies that are related to products and services,'
  ❌ Invalid title line: 'behavior, marketing research, and market segmentation. Students will also explore marketing strategies that are related to products and services,'
  ➜ Parsing at 6061: 'distribution channels, promotions, sales, and pricing.'

🔍 parse_program: starting at line 6061: 'distribution channels, promotions, sales, and pricing.'
  ➜ Title candidate: 'distribution channels, promotions, sales, and pricing.'
  ❌ Invalid title line: 'distribution channels, promotions, sales, and pricing.'
  ➜ Parsing at 6062: 'C713 - Business Law - This course introduces students to business law. Topics include the sources and types of law, contractual relationships,'

🔍 parse_program: starting at line 6062: 'C713 - Business Law - This course introduces students to business law. Topics include the sources and types of law, contractual relationships,'
  ➜ Title candidate: 'C713 - Business Law - This course introduces students to business law. Topics include the sources and types of law, contractual relationships,'
  ❌ Invalid title line: 'C713 - Business Law - This course introduces students to business law. Topics include the sources and types of law, contractual relationships,'
  ➜ Parsing at 6063: 'government regulation of business, dispute resolution, alternative dispute resolution, tort and other civil liabilities, labor and employment law, and other'

🔍 parse_program: starting at line 6063: 'government regulation of business, dispute resolution, alternative dispute resolution, tort and other civil liabilities, labor and employment law, and other'
  ➜ Title candidate: 'government regulation of business, dispute resolution, alternative dispute resolution, tort and other civil liabilities, labor and employment law, and other'
  ❌ Invalid title line: 'government regulation of business, dispute resolution, alternative dispute resolution, tort and other civil liabilities, labor and employment law, and other'
  ➜ Parsing at 6064: 'legal issues found in common business scenarios. Students will analyze examples of various business activities to learn whether specific laws apply.'

🔍 parse_program: starting at line 6064: 'legal issues found in common business scenarios. Students will analyze examples of various business activities to learn whether specific laws apply.'
  ➜ Title candidate: 'legal issues found in common business scenarios. Students will analyze examples of various business activities to learn whether specific laws apply.'
  ❌ Invalid title line: 'legal issues found in common business scenarios. Students will analyze examples of various business activities to learn whether specific laws apply.'
  ➜ Parsing at 6065: 'C714 - Business Strategy - Strategy, Change and Organizational Behavior Concepts addresses complex material in the areas of organizational'

🔍 parse_program: starting at line 6065: 'C714 - Business Strategy - Strategy, Change and Organizational Behavior Concepts addresses complex material in the areas of organizational'
  ➜ Title candidate: 'C714 - Business Strategy - Strategy, Change and Organizational Behavior Concepts addresses complex material in the areas of organizational'
  ❌ Invalid title line: 'C714 - Business Strategy - Strategy, Change and Organizational Behavior Concepts addresses complex material in the areas of organizational'
  ➜ Parsing at 6066: 'behavior and strategic quality management. Topics include strategic planning, and competitive advantage.'

🔍 parse_program: starting at line 6066: 'behavior and strategic quality management. Topics include strategic planning, and competitive advantage.'
  ➜ Title candidate: 'behavior and strategic quality management. Topics include strategic planning, and competitive advantage.'
  ❌ Invalid title line: 'behavior and strategic quality management. Topics include strategic planning, and competitive advantage.'
  ➜ Parsing at 6067: 'This course focuses on models and practices of strategic management, including developing and implementing a strategy and evaluating performance'

🔍 parse_program: starting at line 6067: 'This course focuses on models and practices of strategic management, including developing and implementing a strategy and evaluating performance'
  ➜ Title candidate: 'This course focuses on models and practices of strategic management, including developing and implementing a strategy and evaluating performance'
  ❌ Invalid title line: 'This course focuses on models and practices of strategic management, including developing and implementing a strategy and evaluating performance'
  ➜ Parsing at 6068: 'to achieve strategic goals and objectives.'

🔍 parse_program: starting at line 6068: 'to achieve strategic goals and objectives.'
  ➜ Title candidate: 'to achieve strategic goals and objectives.'
  ❌ Invalid title line: 'to achieve strategic goals and objectives.'
  ➜ Parsing at 6069: 'C715 - Organizational Behavior - Organizational Behavior and Leadership explores how to lead and manage effectively in diverse business'

🔍 parse_program: starting at line 6069: 'C715 - Organizational Behavior - Organizational Behavior and Leadership explores how to lead and manage effectively in diverse business'
  ➜ Title candidate: 'C715 - Organizational Behavior - Organizational Behavior and Leadership explores how to lead and manage effectively in diverse business'
  ❌ Invalid title line: 'C715 - Organizational Behavior - Organizational Behavior and Leadership explores how to lead and manage effectively in diverse business'
  ➜ Parsing at 6070: 'environments. Students are asked to demonstrate the ability to apply organizational leadership theories and management strategies in a series of'

🔍 parse_program: starting at line 6070: 'environments. Students are asked to demonstrate the ability to apply organizational leadership theories and management strategies in a series of'
  ➜ Title candidate: 'environments. Students are asked to demonstrate the ability to apply organizational leadership theories and management strategies in a series of'
  ❌ Invalid title line: 'environments. Students are asked to demonstrate the ability to apply organizational leadership theories and management strategies in a series of'
  ➜ Parsing at 6071: 'scenario-based problems.'

🔍 parse_program: starting at line 6071: 'scenario-based problems.'
  ➜ Title candidate: 'scenario-based problems.'
  ❌ Invalid title line: 'scenario-based problems.'
  ➜ Parsing at 6072: '© Western Governors University 7/19/17 162'

🔍 parse_program: starting at line 6072: '© Western Governors University 7/19/17 162'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'C716 - Business Communication - Business Communication is a survey course of communication skills needed in the business environment.'
  ➜ Skipping stray line: 'Course content includes writing messages, reports, and résumés and delivering oral presentations. The course emphasizes communication'
  ➜ Skipping stray line: 'processes, writing skills, message types, and presentation of data. The development of these skills is integrated with the use of technology.'
  ➜ Skipping stray line: 'C717 - Business Ethics - Business Ethics is designed to enable students to identify the ethical and socially responsible courses of actions available'
  ➜ Skipping stray line: 'through the exploration of various scenarios in business. Students will also learn to develop appropriate ethics guidelines for a business. This course'
  ➜ Skipping stray line: 'has no prerequisites.'
  ➜ Skipping stray line: 'C718 - Microeconomics - Microeconomics introduces you to foundational economic concepts. You will learn how households maximize utility and'
  ➜ Skipping stray line: 'firms maximize profit in order to allocate their scarce resources. Upon completion of this course, you will be able to explain opportunity costs, the'
  ➜ Skipping stray line: 'importance of competition, and how demand and supply work to determine equilibrium price and quantity in perfectly competitive markets and under'
  ➜ Skipping stray line: 'monopolistic competition, oligopoly, and monopoly.'
  ➜ Skipping stray line: 'C719 - Macroeconomics - Macroeconomics provides you with an in-depth overview of the economy as a whole. The course covers market structure,'
  ➜ Skipping stray line: 'essential models, theories, and policies that affect international and domestic economic systems. You will learn how the economy operates and how'
  ➜ Skipping stray line: 'society manages its costs, benefits, and trade-offs when allocating scarce resources through market demand and supply. Other topics include how'
  ➜ Skipping stray line: 'output and growth in the economy are measured with GDP and how the government and Federal Reserve influence growth, unemployment, and'
  ➜ Skipping stray line: 'inflation through fiscal and monetary policy.'
  ➜ Skipping stray line: 'C720 - Operations and Supply Chain Management - Operations and Supply Chain Management provides a streamlined introduction to how'
  ➜ Skipping stray line: 'organizations efficiently produce goods and services, determine supply chain management strategies, and measure performance. Emphasis is placed'
  ➜ Skipping stray line: 'on integrative topics essential for managers in all disciplines, such as supply chain management, product development, and capacity planning. You'
  ➜ Skipping stray line: 'will learn how to analyze processes, manage quality for both services and products, and measure performance, while creating value along the supply'
  ➜ Skipping stray line: 'chain in a global environment. Topics include forecasting, product and service design, process design and location analysis, capacity planning,'
  ➜ Skipping stray line: 'management of quality and quality control, inventory management, scheduling, supply chain management, and performance measurement.'
  ➜ Skipping stray line: 'C721 - Change Management - Change Management provides an understanding of change and an overview of successfully managing change using'
  ➜ Skipping stray line: 'various methods and tools. Emphasizing change theories and various best practices, you will learn how to recognize and implement change using an'
  ➜ Skipping stray line: 'array of other effective strategies, including those related to innovation and leadership. Other topics include approaches to change, diagnosing and'
  ➜ Skipping stray line: 'planning for change, implementing change, and sustaining change.'
  ➜ Skipping stray line: 'C722 - Project Management - Project Management prepares you to manage projects from start to finish within any organizational structure. The'
  ➜ Skipping stray line: 'course presents a view into different project-management methods and delves into topics such as project profiling and phases, constraints, building'
  ➜ Skipping stray line: 'the project team, scheduling, and risk. You will be able to grasp the full scope of projects you may work on in the future, and apply the proper'
  ➜ Skipping stray line: 'management approaches to complete a project. The course features practice in each of the project phases as you learn how to strategically apply'
  ➜ Skipping stray line: 'project-management tools and techniques to help organizations achieve their goals.'
  ➜ Skipping stray line: 'C723 - Quantitative Analysis For Business - Quantitative Analysis for Business explores various decision-making models, including expected value'
  ➜ Skipping stray line: 'models, linear programming models, and inventory models. You will learn to analyze data by using a variety of analytic tools and techniques to make'
  ➜ Skipping stray line: 'better business decisions. In addition, you will develop project schedules using the Critical Path Method. Other topics include calculating and'
  ➜ Skipping stray line: 'evaluating formulas, measures of uncertainty, crash costs, and visual representation of decision-making models using electronic spreadsheets and'
  ➜ Skipping stray line: 'graphs. This course has no prerequisites.'
  ➜ Skipping stray line: 'C724 - Information Systems Management - This course provides an overview of many facets of information systems applicable to business. The'
  ➜ Skipping stray line: 'course explores the importance of viewing information technology (IT) as an organizational resource that must be managed, so that it supports or'
  ➜ Skipping stray line: 'enables organizational strategy. Topics: The 7 competencies covered in the course include the primary processes involved in system development'
  ➜ Skipping stray line: '(i.e., analysis, design, and implementation), networks, database resource management, hardware and software, e-commerce and social media, IS'
  ➜ Skipping stray line: 'security and ethics, and mobile vs. desktop computing. Students will learn how e-commerce, decision support, and communication are securely'
  ➜ Skipping stray line: 'facilitated in a global marketplace. The course also explores current and continuously evolving technologies, strategic thinking, and big-picture issues'
  ➜ Skipping stray line: 'at the intersection of management and technology.'
  ➜ Skipping stray line: 'C728 - Secondary Disciplinary Literacy - Secondary Disciplinary Literacy examines teaching strategies designed to help learners in grades 5-12'
  ➜ Skipping stray line: 'improve upon the literacy skills required to read, write, and think critically while engaging content in different academic disciplines. Themes include'
  ➜ Skipping stray line: 'exploring how language structures, text features, vocabulary, and context influence reading comprehension across the curriculum. Course content'
  ➜ Skipping stray line: 'highlights strategies and tools designed to help teachers assess the reading comprehension and writing proficiency of learners and provides strategies'
  ➜ Skipping stray line: 'to support students' reading and writing success in all curriculum areas. This course has no prerequisites.'
  ➜ Skipping stray line: 'C730 - Secondary Reading Instruction and Interventions - Secondary Reading Instruction and Intervention explores the comprehensive, student-'
  ➜ Skipping stray line: 'centered Response to Intervention (RTI) assessment and intervention model used to identify and address the needs of learners in grades 5–12 who'
  ➜ Skipping stray line: 'struggle with reading comprehension and/or information retention. Course content provides educators with effective strategies designed to scaffold'
  ➜ Skipping stray line: 'instruction and help learners develop increased skill in the following areas: reading, vocabulary, text structures and genres, and logical reasoning'
  ➜ Skipping stray line: 'related to the academic disciplines. This course has no prerequisites.'
  ➜ Skipping stray line: 'C732 - Elementary Disciplinary Literacy - Elementary Disciplinary Literacy examines teaching strategies designed to help learners in grades K–6'
  ➜ Skipping stray line: 'develop the literacy skills necessary to read, write, and think critically while engaging content in different academic disciplines. Course content'
  ➜ Skipping stray line: 'highlights strategies to help learners distinguish between the unique characteristics of informational texts while improving comprehension and writing'
  ➜ Skipping stray line: 'proficiency across the curriculum. Strategies to encourage inquiry and cultivate skills in critical thinking, collaboration, and creativity also are'
  ➜ Skipping stray line: 'addressed. This course has no prerequisites.'
  ➜ Skipping stray line: 'C733 - Elementary Disciplinary Literacy - Elementary Disciplinary Literacy examines teaching strategies designed to help learners in grades K–6'
  ➜ Skipping stray line: 'develop the literacy skills necessary to read, write, and think critically while engaging content in different academic disciplines. Course content'
  ➜ Skipping stray line: 'highlights strategies to help learners distinguish between the unique characteristics of informational texts while improving comprehension and writing'
  ➜ Skipping stray line: 'proficiency across the curriculum. Strategies to encourage inquiry and cultivate skills in critical thinking, collaboration, and creativity also are'
  ➜ Skipping stray line: 'addressed. This course has no prerequisites.'
  ➜ Skipping stray line: 'C736 - Evolution - Students will learn why evolution is the fundamental concept that underlies all life sciences and how it contributes to advances in'
  ➜ Skipping stray line: 'medicine, public health and conservation. Course participants will gain a firm understanding of the basic mechanisms of evolution including the'
  ➜ Skipping stray line: 'process of speciation --- and how these systems have given rise to the great diversity of life in the world today. They will also explore how new ideas,'
  ➜ Skipping stray line: 'discoveries and technologies are modifying prior evolutionary concepts. Ultimately, the course will explain how evolution works and how we know what'
  ➜ Skipping stray line: 'we know.'
  ➜ Skipping stray line: 'C737 - Evolution - Students will learn why evolution is the fundamental concept that underlies all life sciences and how it contributes to advances in'
  ➜ Skipping stray line: 'medicine, public health and conservation. Course participants will gain a firm understanding of the basic mechanisms of evolution including the'
  ➜ Skipping stray line: 'process of speciation --- and how these systems have given rise to the great diversity of life in the world today. They will also explore how new ideas,'
  ➜ Skipping stray line: 'discoveries and technologies are modifying prior evolutionary concepts. Ultimately, the course will explain how evolution works and how we know what'
  ➜ Skipping stray line: 'we know.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 163'
  ➜ Skipping stray line: 'C738 - Space, Time and Motion - Throughout history, humans have grappled with questions about the origin, workings, and behavior of the universe.'
  ➜ Skipping stray line: 'This seminar begins with a quick tour of discovery and exploration in physics, from the ancient Greek philosophers on to Galileo Galilei, Isaac Newton'
  ➜ Skipping stray line: 'and Albert Einstein. Einstein’s work then serves as the departure point for a detailed look at the properties of motion, time, space, matter, and energy.'
  ➜ Skipping stray line: 'The course considers Einstein’s Special Theory of Relativity, his photon hypothesis, wave-particle duality, his General Theory of Relativity and its'
  ➜ Skipping stray line: 'implications for astrophysics and cosmology, as well as his three-decade quest for a unified field theory. It also looks at Einstein as a social and'
  ➜ Skipping stray line: 'political figure, and his contributions as a social and political force. Scientist-authored essays, online interaction, videos, and web resources enable'
  ➜ Skipping stray line: 'learners to trace this historic path of discovery and explore implications of technology for society, energy production in stars, black holes, the Big Bang'
  ➜ Skipping stray line: 'and the role of the scientist in modern society.'
  ➜ Skipping stray line: 'C739 - Space, Time and Motion - Throughout history, humans have grappled with questions about the origin, workings, and behavior of the universe.'
  ➜ Skipping stray line: 'This seminar begins with a quick tour of discovery and exploration in physics, from the ancient Greek philosophers on to Galileo Galilei, Isaac Newton'
  ➜ Skipping stray line: 'and Albert Einstein. Einstein’s work then serves as the departure point for a detailed look at the properties of motion, time, space, matter, and energy.'
  ➜ Skipping stray line: 'The course considers Einstein’s Special Theory of Relativity, his photon hypothesis, wave-particle duality, his General Theory of Relativity and its'
  ➜ Skipping stray line: 'implications for astrophysics and cosmology, as well as his three-decade quest for a unified field theory. It also looks at Einstein as a social and'
  ➜ Skipping stray line: 'political figure, and his contributions as a social and political force. Scientist-authored essays, online interaction, videos, and web resources enable'
  ➜ Skipping stray line: 'learners to trace this historic path of discovery and explore implications of technology for society, energy production in stars, black holes, the Big Bang'
  ➜ Skipping stray line: 'and the role of the scientist in modern society.'
  ➜ Skipping stray line: 'C740 - Fundamentals of Data Analytics - This course provides an introduction to a variety of tools and techniques used in the field of data analytics.'
  ➜ Skipping stray line: 'Students will summarize data, review statistical models, explore data mining techniques, and contemplate ethical considerations associated with the'
  ➜ Skipping stray line: 'field of data analytics. This course presents a survey of concepts which will be explored more in-depth in subsequent courses in the MS Data Analytics'
  ➜ Skipping stray line: 'program.'
  ➜ Skipping stray line: 'C741 - Statistics for Data Analysis - This course covers a broad range of statistical techniques and methods applied in real-world settings. Topics'
  ➜ Skipping stray line: 'presented include inferential, parametric and non-parametric statistics, as well as regression analysis and analysis of variance.'
  ➜ Skipping stray line: 'C742 - Data Science Tools and Techniques - This course covers data science tools and techniques to perform data wrangling and exploration. You'
  ➜ Skipping stray line: 'will be introduced to programming languages and web scraping tools along with machine learning models.'
  ➜ Skipping stray line: 'C743 - Data Mining and Analytics I - This course is an introduction to data mining and exploratory data analysis, including text and web mining.'
  ➜ Skipping stray line: 'Topics include the use of data exploration methods to prepare data, familiarization with commercial data types commonly used for data mining, the'
  ➜ Skipping stray line: 'use of statistical and data mining software, including R, SAS and SPSS, and the comparison and classification of data mining methods.'
  ➜ Skipping stray line: 'C744 - Data Mining and Analytics II - This course examines the application of descriptive and predictive data mining techniques to reveal information'
  ➜ Skipping stray line: 'within a mass of data. Techniques include factor analysis, cluster analysis, classification methods, and neural networks to limit human subjectivity in'
  ➜ Skipping stray line: 'decision making processes.'
  ➜ Skipping stray line: 'C745 - Advanced Data Visualization - The focus of this course is visualizing and telling stories with data. This course begins with a description of the'
  ➜ Skipping stray line: 'growth of data and visualization in industry, news, and government. Actual human stories will be reviewed from a data-statistical perspective. The'
  ➜ Skipping stray line: 'creation of graphs, displays and geospatial data presentations to communicate information supporting decision making while implementing best'
  ➜ Skipping stray line: 'practices for effective storytelling will be examined.'
  ➜ Skipping stray line: 'C746 - Advanced SQL - This course prepares the student for the Oracle Database SQL (1Z0-071) certification exam. Students will master the SQL'
  ➜ Skipping stray line: 'language which will allow them to restrict and sort data, manage data, objects and tables, create schema objects, and control user access.'
  ➜ Skipping stray line: 'C747 - SAS Programming I: Fundamentals - This course prepares the student for the Base Programmer for SAS 9 Certification (A00-211). Students'
  ➜ Skipping stray line: 'will achieve competencies in SAS programming that will allow them to import and export raw data files, manipulate and transform data, combine SAS'
  ➜ Skipping stray line: 'data sets, identify and correct syntax errors, and write SAS code on the SAS platform.'
  ➜ Skipping stray line: 'C748 - SAS Programming II: Business Analysis Applications - This course prepares the student for the SAS Statistical Business Analyst for SAS'
  ➜ Skipping stray line: '9 Certification (A00-240). Students will gain competency to conduct, interpret, and present complex statistical data analysis in the SAS platform.'
  ➜ Skipping stray line: 'C749 - Introduction to Data Science - This Introduction to Data Science course introduces the data analysis process and common statistical'
  ➜ Skipping stray line: 'techniques necessary for the analysis of data. Students will ask questions that can be solved with a given data set, set up experiments, use statistics'
  ➜ Skipping stray line: 'and data wrangling to test hypotheses, find ways to speed up their data analysis code, make their data set easier to access, and communicate their'
  ➜ Skipping stray line: 'findings.'
  ➜ Skipping stray line: 'C750 - Data Wrangling with MongoDB - This course elaborates on concepts covered in Introduction to Data Science, helping to develop skills'
  ➜ Skipping stray line: 'crucial to the field of data science and analysis. It explores how to wrangle data from diverse sources and shape it to enable data-driven applications—'
  ➜ Skipping stray line: 'a common activity in many data scientists' routine.'
  ➜ Skipping stray line: 'Topics covered include gathering and extracting data from widely-used data formats, assessing the quality of data, and exploring best practices for'
  ➜ Skipping stray line: 'data cleaning. This course also introduces MongoDB, covering the essentials of storing data and the MongoDB query language together with'
  ➜ Skipping stray line: 'exploratory analysis using the MongoDB aggregation framework.'
  ➜ Skipping stray line: 'C751 - Data Analysis with R - This course focuses on exploratory data analysis (EDA) utilizing R. EDA is an approach for summarizing and'
  ➜ Skipping stray line: 'visualizing the important characteristics of a data set. Exploratory data analysis focuses on exploring data to understand the data’s underlying'
  ➜ Skipping stray line: 'structure and variables to develop intuition about the data set, to consider how that data set came into existence, and to decide how it can be'
  ➜ Skipping stray line: 'investigated with more formal statistical methods.'
  ➜ Skipping stray line: 'C752 - Data Visualization - This course covers the application of design principles, human perception, color theory, and effective storytelling in the'
  ➜ Skipping stray line: 'context of data visualization. It addresses presenting data to others, facilitating aspirations to be an analyst or data scientist, and advancing technology'
  ➜ Skipping stray line: 'with visualization tools. Additionally, this course focuses on how to visually encode and present data to an audience.'
  ➜ Skipping stray line: 'C753 - Machine Learning - This course presents the end-to-end process of investigating data through a machine learning lens. Topics covered'
  ➜ Skipping stray line: 'include: techniques for extracting data, identifying useful features that best represent data, a survey of commonly-used machine learning algorithms,'
  ➜ Skipping stray line: 'and methods for evaluating the performance of machine learning algorithms.'
  ➜ Skipping stray line: 'C754 - Structured Query Language - This course focuses on structured query language (SQL). It starts with a review of the basic statements and'
  ➜ Skipping stray line: 'continues on to the creation of complex queries that affect multiple tables and utilize SQL functions. Data manipulation language (DML) and data'
  ➜ Skipping stray line: 'definition language (DDL) are also covered, thus enabling the student to create and maintain database objects and modify data by using SQL'
  ➜ Skipping stray line: 'commands.'
  ➜ Skipping stray line: 'C755 - Database Server Administration - This course covers the installation, configuration, and administration of database servers. Students will be'
  ➜ Skipping stray line: 'introduced to all the logical and physical components of a database server and learn to set up a server in a network environment. Tools and strategies'
  ➜ Skipping stray line: 'for access and space management will be covered, as well as backup, restoration, and upgrade techniques.'
  ➜ Skipping stray line: 'C756 - Data Analytics - This course covers the most common tools, techniques, and procedures involved in data analytics. Students will review all'
  ➜ Skipping stray line: 'the disciplines involved with data analytics learned in previous courses and get a better understanding of how they all relate to one another.'
  ➜ Skipping stray line: 'C762 - Teacher Performance Assessment in Science - The Teacher Performance Assessment is a culmination of the wide variety of skills learned'
  ➜ Skipping stray line: 'during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of'
  ➜ Skipping stray line: 'your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 164'
  ➜ Skipping stray line: 'C763 - Healthcare Information Systems Management - Information Systems Management provides an overview of many facets of information'
  ➜ Skipping stray line: 'systems that are applicable to business and healthcare. The course explores how information technology (IT) is an organizational resource that must'
  ➜ Skipping stray line: 'be managed so that it supports or enables organizational strategy. The course will discuss how decision support and communication are securely'
  ➜ Skipping stray line: 'facilitated in a global marketplace. The course also explores current and continuously evolving technologies, strategic thinking, and issues at the'
  ➜ Skipping stray line: 'intersection of management and technology.'
  ➜ Skipping stray line: 'C768 - Technical Communication - This course covers basic elements of technical communication, including professional written communication'
  ➜ Skipping stray line: 'proficiency; the ability to strategize approaches for differing audiences; and technical style, grammar, and syntax proficiency.'
  ➜ Skipping stray line: 'C769 - IT Capstone Written Project - The capstone project consists of a technical work proposal, the proposal’s implementation, and a post-'
  ➜ Skipping stray line: 'implementation report that describes the graduate’s experience in developing and implementing the capstone project. The capstone project should be'
  ➜ Skipping stray line: 'presented and approved by the mentor in relation to the graduate’s technical emphasis.'
  ➜ Skipping stray line: 'C772 - Data Analytics Graduate Capstone - The Data Analytics Graduate Capstone course allows the student to demonstrate their application of the'
  ➜ Skipping stray line: 'academic and professional abilities developed as a graduate student. The capstone challenges students to integrate skills and knowledge from'
  ➜ Skipping stray line: 'several program domains into one project.'
  ➜ Skipping stray line: 'C773 - User Interface Design - This course covers tools and techniques employed in user interface design including web and mobile applications.'
  ➜ Skipping stray line: 'Concepts of clarity, usability and detectability are included in this course as well as other design elements such as color schemes, typography, and'
  ➜ Skipping stray line: 'layout . Techniques like wireframing, usability testing, and SEO optimization are also covered. This course prepares students for the CIW User'
  ➜ Skipping stray line: 'Interface Designer certification.'
  ➜ Skipping stray line: 'C777 - Web Development Applications - This course prepares students for the CIW Advanced HTML5 and CSS3 Specialist certification exam. This'
  ➜ Skipping stray line: 'course builds upon a student's manual coding skills by teaching how to develop web documents and pages using the Web Development Trifecta:'
  ➜ Skipping stray line: 'HTML5 (Hypertext Markup Language version 5) and CSS3 (Cascading Style Sheets version 3) and JavaScript. Students will utilize the skills learned'
  ➜ Skipping stray line: 'in this course to create web documents and pages that easily adapt to display on both traditional and mobile devices. In addition, students will learn'
  ➜ Skipping stray line: 'techniques for code validation and testing, form creation, inline form field validation, and mobile design for browsers and apps, including Responsive'
  ➜ Skipping stray line: 'Web Design (RWD).'
  ➜ Skipping stray line: 'C779 - Web Development Foundations -'
  ➜ Skipping stray line: 'This course prepares students for the CIW Site Development Associate certification. The course introduces students to web design and development'
  ➜ Skipping stray line: 'by presenting them with HTML5 and CSS, the foundational languages of the web, by reviewing media strategies, and by using tools and techniques'
  ➜ Skipping stray line: 'commonly employed in web development.'
  ➜ Skipping stray line: 'C783 - Project Management - In this course, students examine project management concepts based on the five process groups and ten knowledge'
  ➜ Skipping stray line: 'areas identified in the Project Management Body of Knowledge (PMBOK) Guide in preparation for completing the PMI Certified Associate in Project'
  ➜ Skipping stray line: 'Management (CAPM) certification exam.'
  ➜ Skipping stray line: 'C784 - Applied Healthcare Statistics - Applied Healthcare Probability and Statistics is designed to help you develop competence in the fundamental'
  ➜ Skipping stray line: 'concepts of basic mathematics, introductory algebra, and statistics and probability. These concepts include: basic arithmetic with fractions and signed'
  ➜ Skipping stray line: 'numbers; introductory algebra and graphing; descriptive statistics; regression and correlation; and probability. Statistical data and probability are now'
  ➜ Skipping stray line: 'commonplace in the healthcare field. You need to be able to make informed decisions about which studies and results are valid, which are not, and'
  ➜ Skipping stray line: 'how those results affect your decisions. This course will give you background in what constitutes sound research design and how to appropriately'
  ➜ Skipping stray line: 'model phenomena using statistical data. Additionally, you will be able to calculate simple probabilities, especially based on events which occur in the'
  ➜ Skipping stray line: 'healthcare profession. This course will prepare you for your studies at WGU, as well as in the healthcare profession.'
  ➜ Skipping stray line: 'C785 - Biochemistry - Biochemistry covers the structure and function of the four major polymers produced by living organisms. These include nucleic'
  ➜ Skipping stray line: 'acids, proteins, carbohydrates, and lipids. This course focuses on application! Be sure to understand the underlying biochemistry in order to grasp how'
  ➜ Skipping stray line: 'it is applied. By successfully completing this course, you will gain an introductory understanding of the chemicals and reactions that sustain life. You'
  ➜ Skipping stray line: 'will also begin to see the importance of this subject matter to health.'
  ➜ Skipping stray line: 'C787 - Health and Wellness Through Nutritional Science - Nutritional ignorance or misunderstandings are at the root of the health problems that'
  ➜ Skipping stray line: 'most Americans face today. Nurses need to be armed with the most current information available about nutrition science including how to understand'
  ➜ Skipping stray line: 'nutritional content of food, implications of exercise and activity on food consumption and weight management, and management of community or'
  ➜ Skipping stray line: 'population specific nutritional challenges. The Nutrition for Contemporary Society course should prepare nurses to provide support, guidance and'
  ➜ Skipping stray line: 'teaching about incorporation of sound nutritional principles into daily life for health promotion. This course covers the following concepts: nutrition to'
  ➜ Skipping stray line: 'support wellness; healthy nutritional choices; nutrition and physical activity; nutrition through the lifecycle; safety and security of food; and nutrition and'
  ➜ Skipping stray line: 'global health environments.'
  ➜ Skipping stray line: 'C790 - Foundations in Nursing Informatics - This course addresses the integration of technology to improve and support nursing practice. It'
  ➜ Skipping stray line: 'provides nurses with a foundational understanding of nursing informatics theory, practice, and applications. Topics include the role of nursing in'
  ➜ Skipping stray line: 'informatics; use of computer technology for clinical documentation, communication, and workflows; problem identification; project implementation; and'
  ➜ Skipping stray line: 'best practices.'
  ➜ Skipping stray line: 'C791 - Advanced Information Management and the Application of Technology - In this course you will examine complementary roles of master’s'
  ➜ Skipping stray line: 'level-prepared nursing information technology professionals, including informaticists and quality officers. You will analyze current and emerging'
  ➜ Skipping stray line: 'technologies; data management; ethical legal and regulatory best-practice evidence; and bio-health informatics using decision-making support'
  ➜ Skipping stray line: 'systems at the point of care.'
  ➜ Skipping stray line: 'C792 - Data Modeling and Database Management Systems - This graduate course is designed to engage the student in planning, analyzing, and'
  ➜ Skipping stray line: 'designing a relational database management system (DBMS) for use by nurse administrators, clinicians, educators, and informaticists. This'
  ➜ Skipping stray line: 'experience will provide the knowledge needed to advocate for nursing informatics needs within the field of healthcare.'
  ➜ Skipping stray line: 'C793 - Nursing Informatics Field Experience - In the Nursing Informatics Field Experience, you will complete a hands-on field experience while'
  ➜ Skipping stray line: 'working with a preceptor in a setting relevant to your professional situation and nursing informatics. Today’s rapidly changing health delivery system'
  ➜ Skipping stray line: 'requires nurse informaticists to be prepared to effectively lead change and facilitate learning that is dynamic and meets the needs of a diverse student'
  ➜ Skipping stray line: 'and professional nursing population. To help you develop competency in this area, you will apply methods and solutions to support clinical decisions'
  ➜ Skipping stray line: 'and improve health outcomes by designing data collection instruments, developing a database management system and analyzing data using'
  ➜ Skipping stray line: 'statistical and geospatial techniques in a simulated environment.'
  ➜ Skipping stray line: 'C794 - Nursing Informatics Capstone - The Nursing Informatics Capstone is the final leg in your journey to graduation. During this course, you will'
  ➜ Skipping stray line: 'present evidence of the knowledge and skills you gained during this program by completing a comprehensive evaluation of a health information'
  ➜ Skipping stray line: 'system. You will develop a multimedia presentation that reviews and reflects on your learning experiences during the Nursing Informatics program.'
  ➜ Skipping stray line: 'This scholarly presentation is a synthesis that illustrates the acquisition of nursing informatics knowledge, skills, and competencies. Your final'
  ➜ Skipping stray line: 'presentation should demonstrate how the integration of nursing informatics facilitates the transformation of data and information to knowledge and'
  ➜ Skipping stray line: 'wisdom in a nursing practice. The presentation will be developed using the best practices for narrated PowerPoint presentations (see the MSN'
  ➜ Skipping stray line: 'Capstone Presentation section for details).'
  ➜ Skipping stray line: 'C797 - Data Science and Analytics - This course addresses the interdisciplinary and emerging field of data science in healthcare. Students will learn'
  ➜ Skipping stray line: 'to combine tools and techniques from statistics, computer science, data visualization, and the social sciences to solve problems using data. Topics'
  ➜ Skipping stray line: 'include data analysis, database management, inferential and descriptive statistics, statistical inference, and process improvement.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 165'
  ➜ Skipping stray line: 'C798 - Informatics System Analysis and Design - In Informatics System Analysis and Design, a broad understanding of data systems is covered to'
  ➜ Skipping stray line: 'build upon the Foundations in Nursing Informatics course. The importance of effective interoperability, functionality, data access, and user satisfaction'
  ➜ Skipping stray line: 'are addressed. The student will be analyzing reports and integrating federal regulations, research principles, and principles of environmental health in'
  ➜ Skipping stray line: 'the construction of a real-world systems analysis and design project. This course will be directly applicable to healthcare settings as electronic records'
  ➜ Skipping stray line: 'management has become compulsory for healthcare providers. All of the information in this course will be directly tied to the delivery of quality patient'
  ➜ Skipping stray line: 'care and patient safety.'
  ➜ Skipping stray line: 'C799 - Healthcare Ecosystems - Healthcare Ecosystems explores the history and state of healthcare organizations in an ever-changing'
  ➜ Skipping stray line: 'environment. This course covers how agencies influence healthcare delivery through legal, licensure, certification, and accreditation standards. The'
  ➜ Skipping stray line: 'course will also discuss how new technologies and trends keep healthcare delivery innovative and current.'
  ➜ Skipping stray line: 'C800 - Introduction to Healthcare IT Systems - Introduction to Healthcare IT Systems introduces students to information technology as a discipline.'
  ➜ Skipping stray line: 'This course also exposes students to the various roles and functions of the health information manager to support the business of healthcare. There'
  ➜ Skipping stray line: 'are no prerequisites for this course.'
  ➜ Skipping stray line: 'C801 - Health Information Law and Regulations - Health Information Law and Regulations prepares students to manage health information in'
  ➜ Skipping stray line: 'compliance with legal guidelines and teaches how to respond to questions and challenges when legal issues occur. This course presents the types of'
  ➜ Skipping stray line: 'situations occurring in health information management that could result in ethical dilemmas and establishes a foundation for work based on legal and'
  ➜ Skipping stray line: 'ethical guidelines.'
  ➜ Skipping stray line: 'C802 - Foundations in Healthcare Information Management - Foundations in Healthcare Information applies theories from business, IT,'
  ➜ Skipping stray line: 'management, medicine, and consumer-centered healthcare skills. Students will learn to evaluate and analyze health information systems for'
  ➜ Skipping stray line: 'implementation in health information management. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C803 - Data Analytics and Information Governance - Data Analytics and Information Governance explores the structure, methods, and approaches'
  ➜ Skipping stray line: 'for using health information in the healthcare industry. By focusing on quality data collection, analytics, and industry regulations, students will examine'
  ➜ Skipping stray line: 'tools that ensure quality data collection as well as use data to improve quality of care. This course has no prerequisites.'
  ➜ Skipping stray line: 'C804 - Medical Terminology - Medical Terminology focuses on the basic components of medical terminology and how terminology is used when'
  ➜ Skipping stray line: 'discussing various body structures and systems. Proper use of medical terminology is critical for accurate and clear communication among medical'
  ➜ Skipping stray line: 'staff, health professionals, and patients. In addition to the systems of the body, this course will discuss immunity, infections, mental health, and cancer.'
  ➜ Skipping stray line: 'C805 - Pathophysiology - Pathophysiology is an overview of the pathology and treatment of diseases in the human body and its systems. This'
  ➜ Skipping stray line: 'course will explain the processes in the body that result in the signs and symptoms of disease, as well as therapeutic procedures in managing or'
  ➜ Skipping stray line: 'curing the disease. The content draws on a knowledge of anatomy and physiology to understand how diseases manifest themselves and how they'
  ➜ Skipping stray line: 'affect the body.'
  ➜ Skipping stray line: 'C806 - Introduction to Pharmacology - Introduction to Pharmacology provides information about drug development and approvals, pharmaceutical'
  ➜ Skipping stray line: 'classifications, metabolism, and the effect of drugs on body systems. The course will introduce advancements in pharmaceutical technology,'
  ➜ Skipping stray line: 'regulatory requirements within electronic health record systems, and the financial implications of pharmaceutical coding and billing. This course has no'
  ➜ Skipping stray line: 'prerequisites.'
  ➜ Skipping stray line: 'C807 - Healthcare Compliance - Healthcare Compliance examines the role of the coding professional within healthcare information management.'
  ➜ Skipping stray line: 'The course covers compliance plans, issues that arise with noncompliance, and management of internal and external audits.'
  ➜ Skipping stray line: 'C808 - Classification Systems - Classification Systems provides a comprehensive approach to learning about medical coding classification, coding'
  ➜ Skipping stray line: 'audits and quality standards. Students will be exposed to electronic health record systems and leadership principles as they relate to management of'
  ➜ Skipping stray line: 'ICD and CPT codes. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C810 - Foundations in Healthcare Data Management - Foundations in Healthcare Data Management introduces students to the concepts and'
  ➜ Skipping stray line: 'terminology used in health data and health information management. This course teaches students how to apply data management and governance'
  ➜ Skipping stray line: 'principles in the healthcare environment. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C811 - Healthcare Financial Resource Management - Healthcare Financial Resource Management examines financial practices within healthcare'
  ➜ Skipping stray line: 'industries to promote effective management at department and organization levels. Focusing on financial processes associated with facility operations'
  ➜ Skipping stray line: 'in the healthcare field, this course will analyze the impact of strategic financial planning and regulatory control processes. This course has no'
  ➜ Skipping stray line: 'prerequisites.'
  ➜ Skipping stray line: 'C812 - Healthcare Reimbursement - Healthcare Reimbursement explores financial practices within the healthcare industry as they relate to'
  ➜ Skipping stray line: 'reimbursement policies. This course identifies how reimbursement systems impact the revenue cycle and a health information manager's role. This'
  ➜ Skipping stray line: 'course has no prerequisites.'
  ➜ Skipping stray line: 'C813 - Healthcare Statistics and Research - Healthcare Statistics and Research explores the use of statistical data to support process improvement'
  ➜ Skipping stray line: 'through health information research. Health information management (HIM) professionals use information systems to gather, analyze, and present'
  ➜ Skipping stray line: 'data in response to administrative and clinical needs. This course has no prerequisites.'
  ➜ Skipping stray line: 'C815 - Quality and Performance Management and Methods - Quality and Performance Management and Methods examines quality initiatives'
  ➜ Skipping stray line: 'within healthcare. Quality issues cover human resource management, employee performance and patient safety. This course focuses on quality'
  ➜ Skipping stray line: 'improvement initiatives and performance improvement with the health information management perspective.'
  ➜ Skipping stray line: 'C816 - Healthcare System Applications - Healthcare System Applications introduces students to information systems. This course includes'
  ➜ Skipping stray line: 'important topics related to management of information systems (MIS), such as system development and business continuity. The course also provides'
  ➜ Skipping stray line: 'an overview of management tools and issue tracking systems. This course has no prerequisites.'
  ➜ Skipping stray line: 'C818 - Health Information Management Capstone - tbd'
  ➜ Skipping stray line: 'C820 - Professional Leadership and Communication for Healthcare - The Leadership and Communication course is designed to help students'
  ➜ Skipping stray line: 'prepare for success in the online environment at Western Governors University and beyond. Student success starts with the social support and self-'
  ➜ Skipping stray line: 'reflective awareness that will prepare students to weather the challenges of academic programs. In this course students will participate in group'
  ➜ Skipping stray line: 'activities and complete a number of individual assignments. The group activities are aimed at finding support and insight from other students. The'
  ➜ Skipping stray line: 'assignments are intended to give the student an opportunity to reflect about where they are and where they would like to be. The activities in each'
  ➜ Skipping stray line: 'group meeting are designed to give students several tools they can use to achieve success. This course is designed as a eight-part intensive learning'
  ➜ Skipping stray line: 'experience. Students will attend eight group meetings during the term. At each meeting students will engage in activities that help them understand'
  ➜ Skipping stray line: 'their own educational journey and find support and inspiration in the journey of others.'
  ➜ Skipping stray line: 'C821 - Nursing Education Field Experience - Nurse educators teach the next generation of nurses, in academic and clinical settings. They must be'
  ➜ Skipping stray line: 'licensed to practice nursing and have considerable hands-on nursing experience, as well as advanced training and education. The Nursing Education'
  ➜ Skipping stray line: 'Field Experience provides the graduate student with an opportunity to work collaboratively within the organization where he/she is employed to'
  ➜ Skipping stray line: 'address an identified nursing problem, need, or gap in current practices. Students then work to promote a practice change, quality improvement, or'
  ➜ Skipping stray line: 'innovation that is based on the existing evidence and best practices.'
  ➜ Skipping stray line: 'C822 - Nurse Educator Capstone - The capstone is a scholarly project that addresses an issue, need, gap or opportunity resulting from an identified'
  ➜ Skipping stray line: 'in nursing education or healthcare need. The capstone project provides the opportunity for the graduate nursing student to demonstrate competency'
  ➜ Skipping stray line: 'through design, application and evaluation of advanced nursing knowledge and higher level leadership skills for ultimately improving health outcomes'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 166'
  ➜ Skipping stray line: 'C823 - Nursing Leadership and Management Field Experience - Today’s rapidly changing healthcare delivery environment requires nurse'
  ➜ Skipping stray line: 'executives to effectively lead change to achieve organization goals and improvements. Registered nurses needs to hold an active nursing license and'
  ➜ Skipping stray line: 'have considerable clinical experience and education to become a nurse leader or manager. The Nursing Leadership and Management Field'
  ➜ Skipping stray line: 'Experience provides the graduate student with an opportunity to work collaboratively within the organization where he/she is employed to address an'
  ➜ Skipping stray line: 'identified nursing problem, need, or gap in current practices. Students then work to promote a practice change, quality improvement, or innovation that'
  ➜ Skipping stray line: 'is based on the existing evidence and best practices.'
  ➜ Skipping stray line: 'C824 - Nursing Leadership and Management Capstone - The Nursing Leadership and Management capstone course provides the student with an'
  ➜ Skipping stray line: 'opportunity to engage in a project that is actionable, relevant, highly collaborative, and based on real world experience. The capstone involves'
  ➜ Skipping stray line: 'development of a scholarly project that addresses a problem, need, or gap in current practices. The capstone project provides an opportunity for the'
  ➜ Skipping stray line: 'graduate nursing student to demonstrate competency through design, application, and evaluation of a planned practice change, quality improvement,'
  ➜ Skipping stray line: 'or innovation that is based on the existing evidence and best practices.'
  ➜ Skipping stray line: 'C825 - Introduction to Nursing Arts and Science - Intro to Nursing Clinical Skills is a skills lab section in which students will have the opportunity to'
  ➜ Skipping stray line: 'practice skills learned in didactic in a learning lab. Students will be introduced to and learn the fundamental skills of nursing, including: assessment,'
  ➜ Skipping stray line: 'vital signs, principles of safety, equipment uses, bathing, oral hygiene, perineal care, principles of asepsis, ambulating, transferring, range of motion,'
  ➜ Skipping stray line: 'restraints, fall prevention, and communication. Students successful in the lab assessment will be considered for admission to the BSRN program.'
  ➜ Skipping stray line: 'C826 - Community Health and Population-Focused Nursing - Community Health and Population-Focused Nursing will assist students in becoming'
  ➜ Skipping stray line: 'familiar with foundational theories and models of health promotion applicable to the community health nursing environment. Students will develop an'
  ➜ Skipping stray line: 'understanding of how policies and resources influence the health of populations. Focus is concentrated on learning the importance of a community'
  ➜ Skipping stray line: 'assessment to improve or resolve a community health issue. Students will be introduced to the relationships between cultures and communities and'
  ➜ Skipping stray line: 'the steps necessary to create community collaboration with the goal to improve or resolve community health issues in a variety of settings. Students'
  ➜ Skipping stray line: 'will gain a greater understanding of health systems in the United States, global health issues, quality-of-life issues, cultural influences, community'
  ➜ Skipping stray line: 'collaboration, and emergency preparedness.'
  ➜ Skipping stray line: 'C828 - Teacher Performance Assessment in Elementary Education - The Teacher Performance Assessment is a culmination of the wide variety of'
  ➜ Skipping stray line: 'skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a'
  ➜ Skipping stray line: 'collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C829 - Teacher Performance Assessment in Elementary and Special Education - The Teacher Performance Assessment is a culmination of the'
  ➜ Skipping stray line: 'wide variety of skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you'
  ➜ Skipping stray line: 'will showcase a collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C830 - Teacher Performance Assessment in Mathematics Education - The Teacher Performance Assessment is a culmination of the wide variety'
  ➜ Skipping stray line: 'of skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase'
  ➜ Skipping stray line: 'a collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C836 - Fundamentals of Information Security - This course lays the foundation for understanding terminology, principles, processes and best'
  ➜ Skipping stray line: 'practices of information security at local and global levels. It further provides an overview of basic security vulnerabilities and countermeasures for'
  ➜ Skipping stray line: 'protecting information assets through planning and administrative controls within an organization.'
  ➜ Skipping stray line: 'C837 - Managing Web Security - Almost all businesses and organizations require a web presence. The security needs, demands, and defenses for'
  ➜ Skipping stray line: 'these online environments differ from those of an isolated single computer or intranet. This course introduces best practices for preventing security'
  ➜ Skipping stray line: 'breaches by applying web security protocols, firewalls, and system configurations. This course prepares students for the Web Security Associate (CIW'
  ➜ Skipping stray line: 'WSA) certification exam.'
  ➜ Skipping stray line: 'C838 - Managing Cloud Security - Many of today’s companies and organizations have outsourced data management, availability, and operational'
  ➜ Skipping stray line: 'processes through cloud computing. In this course, students design solutions for cloud-based platforms and operations that maintain data availability'
  ➜ Skipping stray line: 'while protecting the confidentiality and integrity of information. This includes security controls, disaster recovery plans, and continuity management'
  ➜ Skipping stray line: 'plans that address physical, logical, and human factors. This course prepares students for the Certified Cloud Security Professional (ISC2 CCSP)'
  ➜ Skipping stray line: 'certification exam.'
  ➜ Skipping stray line: 'C839 - Introduction to Cryptography - This course provides students with knowledge of cryptographic algorithms, protocols, and their uses in the'
  ➜ Skipping stray line: 'protection of information in various states. This course prepares students for the Certified Encryption Specialist (EC-Council ECES) certification exam.'
  ➜ Skipping stray line: 'C840 - Digital Forensics in Cybersecurity - Digital forensics, the science of investigating cybercrimes, seeks evidence that reveals who, what, when,'
  ➜ Skipping stray line: 'where, and how threats compromise information. This course examines the relationships between incident categories, evidence handling, and incident'
  ➜ Skipping stray line: 'management. Students identify consequences associated with cyber threats and security laws using a variety of tools to recognize and recover from'
  ➜ Skipping stray line: 'unauthorized, malicious activities.'
  ➜ Skipping stray line: 'C841 - Legal Issues in Information Security - Security information professionals have the role and responsibility for knowing and applying ethical'
  ➜ Skipping stray line: 'and legal principles and processes that define specific needs and demands to assure data integrity within an organization. This course addresses the'
  ➜ Skipping stray line: 'laws, regulations, authorities, and directives that inform the development of operational policies, best practices, and training to assure legal'
  ➜ Skipping stray line: 'compliance and to minimize internal and external threats. Students analyze legal constraints and liability concerns that threaten information security'
  ➜ Skipping stray line: 'within an organization and develop disaster recovery plans to assure business continuity.'
  ➜ Skipping stray line: 'C842 - Cyber Defense and Countermeasures - Traditional defenses such as firewalls, security protocols, and encryption sometimes fail to stop'
  ➜ Skipping stray line: 'attackers determined to access and compromise data. This course provides the fundamental skills to handle and respond to the computer security'
  ➜ Skipping stray line: 'incidents in an information system. The course addresses various underlying principles and techniques for detecting and responding to current and'
  ➜ Skipping stray line: 'emerging computer security threats. Students learn how to handle various types of incidents, risk assessment methodologies, and various laws and'
  ➜ Skipping stray line: 'policy related to incident handling. This course prepares students for the Certified Incident Handler (EC-Council ECIH) certification exam.'
  ➜ Skipping stray line: 'C843 - Managing Information Security - This course expands on fundamentals of information security by providing an in-depth analysis of the'
  ➜ Skipping stray line: 'relationship between an information security program and broader business goals and objectives. Students develop knowledge and experience in the'
  ➜ Skipping stray line: 'development and management of an information security program essential to ongoing education, career progression, and value delivery to'
  ➜ Skipping stray line: 'enterprises. Students apply best practices to develop an information security governance framework, analyze mitigation in the context of compliance'
  ➜ Skipping stray line: 'requirements, align security programs with security strategies and best practices, and recommend procedures for managing security strategies that'
  ➜ Skipping stray line: 'minimize risk to an organization.'
  ➜ Skipping stray line: 'C844 - Emerging Technologies in Cybersecurity - The continual evolution of technology means that cybersecurity professionals must be able to'
  ➜ Skipping stray line: 'analyze and evaluate new technologies in information security such as wireless, mobile, and internet technologies. Students review the adoption'
  ➜ Skipping stray line: 'process which prepares an organization for the risks and challenges of implementing new technologies. This course focuses on comparison of'
  ➜ Skipping stray line: 'evolving technologies to address the security requirements of an organization. Students learn underlying principles critical to the operation of secure'
  ➜ Skipping stray line: 'networks and adoption of new technologies.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 167'
  ➜ Skipping stray line: 'C845 - Information Systems Security - IT security professionals must be prepared for the operational demands and responsibilities of security'
  ➜ Skipping stray line: 'practitioners, including authentication, security testing, intrusion detection and prevention, incident response and recovery, attacks and'
  ➜ Skipping stray line: 'countermeasures, cryptography, and malicious code countermeasures. This course provides a comprehensive, up-to-date global body of knowledge'
  ➜ Skipping stray line: 'that ensures students have the right information security knowledge and skills to be successful in IT operational roles to mitigate security concerns and'
  ➜ Skipping stray line: 'guard against the impact of malicious activity. Students demonstrate how to manage and restrict access control systems; administer policies,'
  ➜ Skipping stray line: 'procedures, and guidelines that are ethical and compliant with laws and regulations; implement risk management and incident handling processes;'
  ➜ Skipping stray line: 'execute cryptographic systems to protect data; manage network security; and analyze common attack vectors and countermeasures to assure'
  ➜ Skipping stray line: 'information integrity and confidentiality in various systems. This course prepares students for the Systems Security Certified Practitioner (ISC2 SSCP)'
  ➜ Skipping stray line: 'certification exam.'
  ➜ Skipping stray line: 'C846 - Business of IT - Applications - Business of IT – Applications examines Information Technology Infrastructure Library ( ITIL®) terminology,'
  ➜ Skipping stray line: 'structure, policies, and concepts. Focusing on the management of Information Technology (IT) infrastructure, development, and operations, students'
  ➜ Skipping stray line: 'will explore the core principles of ITIL practices for service management to prepare them for careers as IT professionals, business managers, and'
  ➜ Skipping stray line: 'business process owners. This course has no prerequisites.'
  ➜ Skipping stray line: 'C847 - Fundamentals of Diversity, Inclusion, and Exceptional Learners - Students will learn the history of inclusion and develop practical'
  ➜ Skipping stray line: 'strategies for modifying instruction, in accordance with legal expectations, to meet the needs of a diverse population of learners. This population'
  ➜ Skipping stray line: 'includes learners with disabilities, gifted and talented learners, culturally diverse learners, and English language learners.'
  ➜ Skipping stray line: 'C848 - Fundamentals of Diversity, Inclusion, and Exceptional Learners - Students will learn the history of inclusion and develop practical'
  ➜ Skipping stray line: 'strategies for modifying instruction, in accordance with legal expectations, to meet the needs of a diverse population of learners. This population'
  ➜ Skipping stray line: 'includes learners with disabilities, gifted and talented learners, culturally diverse learners, and English language learners.'
  ➜ Skipping stray line: 'C853 - Teacher Performance Assessment in English - The Teacher Performance Assessment serves as the final, culminating project in your'
  ➜ Skipping stray line: 'degree program. It is a formal, scholarly piece of work. You are required to design and develop a two-week-long (minimum), standards-based'
  ➜ Skipping stray line: 'curriculum unit. You will then implement (i.e., teach) the unit in your classroom and gather data as to its effectiveness.'
  ➜ Skipping stray line: 'C860 - Innovation Project - This course explores healthcare innovation by having you compare examples, apply concepts, perform research and'
  ➜ Skipping stray line: 'analysis, and create original work. You will complete and submit an Innovation proposal form describing a new technology to decrease clinic wait'
  ➜ Skipping stray line: 'times.'
  ➜ Skipping stray line: 'C861 - Healthcare Systems Project - You will explore healthcare systems by evaluating the needs of a group medical center to expand care to a'
  ➜ Skipping stray line: 'growing population of underserved and underinsured patients. You will assess the value of affiliation with other providers and potential payers, analyze'
  ➜ Skipping stray line: 'several healthcare organizations as potential partners for affiliation, and determine what type of affiliation structure will best meet the needs of the'
  ➜ Skipping stray line: 'medical center. This project culminates in the creation of a proposed “affiliation recommendation” that summarizes the assessment of three candidate'
  ➜ Skipping stray line: 'organizations.'
  ➜ Skipping stray line: 'C862 - Healthcare Quality Project - You will use Six Sigma principles and strategies, as well as other quality concepts (DMAIC), to address problems'
  ➜ Skipping stray line: 'of high patient wait times and poor physician communication at a highly functioning level 1 trauma center. You will develop a healthcare quality'
  ➜ Skipping stray line: 'improvement process that implements the five phases of a Six Sigma approach. You will also analyze challenges executives face in identifying,'
  ➜ Skipping stray line: 'synthesizing, and acting upon healthcare data to improve operations and patient-centered care.'
  ➜ Skipping stray line: 'C863 - Healthcare Financial Management Project - You will develop a value-based payment model and strategic implementation plan to provide'
  ➜ Skipping stray line: 'high-quality, most cost-effective care to a high-risk patient population. The organization is currently not equipped to take on the risks inherent in the'
  ➜ Skipping stray line: 'population of Southern Florida. To create a successful plan, you will analyze and interpret data to determine the population's need and justify that their'
  ➜ Skipping stray line: 'organization can financially support and sustain the new system.'
  ➜ Skipping stray line: 'C864 - Enterprise Risk Management Project - You will take on the role of a consulting risk manager for the Phoenix VA Health Care System'
  ➜ Skipping stray line: '(PVAHCS) to address the Office of Inspector General’s report. You begin by identifying and analyzing risk issues embedded within a real-world'
  ➜ Skipping stray line: 'scenario. You will use enterprise risk management (ERM) concepts to create and define implementation strategies for an ERM plan to mitigate and'
  ➜ Skipping stray line: 'manage the risks identified. Finally, you will recommend a new system model.'
  ➜ Skipping stray line: 'C865 - Population Health and Care Coordination Project - You will design a chronic care population management plan and change a health'
  ➜ Skipping stray line: 'system's model to one that focuses on patient and family. You will review a model from Mississippi that has expanded Medicaid where the'
  ➜ Skipping stray line: 'opportunities to develop partnerships are ideal. To help control costs, you will develop a wellness and prevention program alongside the disease'
  ➜ Skipping stray line: 'management model already being used in a system of their choice.'
  ➜ Skipping stray line: 'C870 - Human Anatomy and Physiology - This course examines the structures and functions of the human body and covers anatomical'
  ➜ Skipping stray line: 'terminology, cells and tissues, and organ systems. Students will use a dissection lab to study the healthy state of the organ systems of the human'
  ➜ Skipping stray line: 'body, including the digestive, skeletal, sensory, respiratory, reproductive, nervous, muscular, cardiovascular, lymphatic, integumentary, endocrine, and'
  ➜ Skipping stray line: 'renal systems. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C871 - MA, Science Education Teacher Performance Assessment - MA, Science Education (5-12 Geo) Teacher Performance Assessment'
  ➜ Skipping stray line: 'contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct evidence of the'
  ➜ Skipping stray line: 'candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect on the learning'
  ➜ Skipping stray line: 'process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional unit consisting'
  ➜ Skipping stray line: 'of seven components: 1) Contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision making, 6) analysis of'
  ➜ Skipping stray line: 'student learning, and 7) self-evaluation and reflection.'
  ➜ Skipping stray line: 'C873 - Teacher Performance Assessment in Elementary Education - The Teacher Performance Assessment is a culmination of the wide variety'
  ➜ Skipping stray line: 'of skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase'
  ➜ Skipping stray line: 'a collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C874 - MA, Mathematics Education (5-12) Teacher Performance Assessment - MA, Mathematics Education (5-12) Teacher Performance'
  ➜ Skipping stray line: 'Assessment contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct'
  ➜ Skipping stray line: 'evidence of the candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect'
  ➜ Skipping stray line: 'on the learning process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional'
  ➜ Skipping stray line: 'unit consisting of seven components: 1) Contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision'
  ➜ Skipping stray line: 'making, 6) analysis of student learning, and 7) self-evaluation and reflection.'
  ➜ Skipping stray line: 'C875 - Human Anatomy and Physiology - This course examines the structures and functions of the human body and covers anatomical'
  ➜ Skipping stray line: 'terminology, cells and tissues, and organ systems. Students will use a dissection lab to study the healthy state of the organ systems of the human'
  ➜ Skipping stray line: 'body, including the digestive, skeletal, sensory, respiratory, reproductive, nervous, muscular, cardiovascular, lymphatic, integumentary, endocrine, and'
  ➜ Skipping stray line: 'renal systems. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C876 - Conceptual Physics - Conceptual Physics provides a broad, conceptual overview of the main principles of physics, including mechanics,'
  ➜ Skipping stray line: 'thermodynamics, wave motion, modern physics, and electricity and magnetism. Problem-solving activities and laboratory experiments provide'
  ➜ Skipping stray line: 'students with opportunities to apply these main principles, creating a strong foundation for future studies in physics. There are no prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 168'
  ➜ Skipping stray line: 'C877 - Mathematical Modeling and Applications - Mathematical Modeling and Applications applies mathematics, such as differential equations,'
  ➜ Skipping stray line: 'discrete structures, and statistics to formulate models and solve real-world problems. This course emphasizes improving students’ critical thinking to'
  ➜ Skipping stray line: 'help them understand the process and application of mathematical modeling. Probability and Statistics II and Calculus II are prerequisites.'
  ➜ Skipping stray line: 'C878 - Mathematical Modeling and Applications - Mathematical Modeling and Applications applies mathematics, such as differential equations,'
  ➜ Skipping stray line: 'discrete structures, and statistics to formulate models and solve real-world problems. This course emphasizes improving students’ critical thinking to'
  ➜ Skipping stray line: 'help them understand the process and application of mathematical modeling. Probability and Statistics II and Calculus II are prerequisites.'
  ➜ Skipping stray line: 'C879 - Algebra for Secondary Mathematics Teaching - Algebra for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of algebra. Secondary teachers should have an understanding of the following: algebra as an extension of number, operation, and'
  ➜ Skipping stray line: 'quantity; various ideas of equivalence as it pertains to algebraic structures; patterns of change as covariation between quantities; connections'
  ➜ Skipping stray line: 'between representations (tables, graphs, equations, geometric models, context); and the historical development of content and perspectives from'
  ➜ Skipping stray line: 'diverse cultures. In particular, the focus should be on deeper understanding of rational numbers, ratios and proportions, meaning and use of variables,'
  ➜ Skipping stray line: 'functions (e.g., exponential, logarithmic, polynomials, rational, quadratic), and inverses. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C880 - Algebra for Secondary Mathematics Teaching - Algebra for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of algebra. Secondary teachers should have an understanding of the following: algebra as an extension of number, operation, and'
  ➜ Skipping stray line: 'quantity; various ideas of equivalence as it pertains to algebraic structures; patterns of change as covariation between quantities; connections'
  ➜ Skipping stray line: 'between representations (tables, graphs, equations, geometric models, context); and the historical development of content and perspectives from'
  ➜ Skipping stray line: 'diverse cultures. In particular, the focus should be on deeper understanding of rational numbers, ratios and proportions, meaning and use of variables,'
  ➜ Skipping stray line: 'functions (e.g., exponential, logarithmic, polynomials, rational, quadratic), and inverses. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C881 - Geometry for Secondary Mathematics Teaching - Geometry for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of geometry. Secondary teachers in this course will develop a deep understanding of constructions and transformations,'
  ➜ Skipping stray line: 'congruence and similarity, analytic geometry, solid geometry, conics, trigonometry, and the historical development of content. Calculus I is a'
  ➜ Skipping stray line: 'prerequisite for this course.'
  ➜ Skipping stray line: 'C882 - Geometry for Secondary Mathematics Teaching - Geometry for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of geometry. Secondary teachers in this course will develop a deep understanding of constructions and transformations,'
  ➜ Skipping stray line: 'congruence and similarity, analytic geometry, solid geometry, conics, trigonometry, and the historical development of content. Calculus I is a'
  ➜ Skipping stray line: 'prerequisite for this course.'
  ➜ Skipping stray line: 'C883 - Statistics and Probability for Secondary Mathematics Teaching - Statistics and Probability for Secondary Mathematics Teaching explores'
  ➜ Skipping stray line: 'important conceptual underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional'
  ➜ Skipping stray line: 'practices to support and assess the learning of statistics and probability. Secondary teachers should have a deep understanding of summarizing and'
  ➜ Skipping stray line: 'representing data, study design and sampling, probability, testing claims and drawing conclusions, and the historical development of content and'
  ➜ Skipping stray line: 'perspectives from diverse cultures. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C884 - Statistics and Probability for Secondary Mathematics Teaching - Statistics and Probability for Secondary Mathematics Teaching explores'
  ➜ Skipping stray line: 'important conceptual underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional'
  ➜ Skipping stray line: 'practices to support and assess the learning of statistics and probability. Secondary teachers should have a deep understanding of summarizing and'
  ➜ Skipping stray line: 'representing data, study design and sampling, probability, testing claims and drawing conclusions, and the historical development of content and'
  ➜ Skipping stray line: 'perspectives from diverse cultures. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C885 - Advanced Calculus - Advanced Calculus examines rigorous reconsideration and proofs involving calculus. Topics include real-number'
  ➜ Skipping stray line: 'systems, sequences, limits, continuity, differentiation, and integration. This course emphasizes students’ ability to apply critical thinking to concepts to'
  ➜ Skipping stray line: 'analyze the connections between definitions and properties. Calculus III and Linear Algebra are prerequisites.'
  ➜ Skipping stray line: 'C886 - Advanced Calculus - Advanced Calculus examines rigorous reconsideration and proofs involving calculus. Topics include real-number'
  ➜ Skipping stray line: 'systems, sequences, limits, continuity, differentiation, and integration. This course emphasizes students’ ability to apply critical thinking to concepts to'
  ➜ Skipping stray line: 'analyze the connections between definitions and properties. Calculus III and Linear Algebra are prerequisites.'
  ➜ Skipping stray line: 'C887 - MA, Mathematics Education (5-9) Teacher Performance Assessment - MA, Mathematics Education (5-9) Teacher Performance'
  ➜ Skipping stray line: 'Assessment contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct'
  ➜ Skipping stray line: 'evidence of the candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect'
  ➜ Skipping stray line: 'on the learning process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional'
  ➜ Skipping stray line: 'unit consisting of seven components: 1) contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision making,'
  ➜ Skipping stray line: '6) analysis of student learning, and 7) self-evaluation and reflection.'
  ➜ Skipping stray line: 'C888 - Molecular and Cellular Biology - Molecular and Cellular Biology provides students seeking licensure or endorsement in biology, grades 5-12,'
  ➜ Skipping stray line: 'with an introduction to the area of molecular and cellular biology. Molecular and Cellular Biology examines the cell as an organism emphasizing'
  ➜ Skipping stray line: 'molecular basis of cell structure and functions of biological macromolecules, subcellular organelles, intracellular transport, cell division, and biological'
  ➜ Skipping stray line: 'reactions. Prerequisite: Introduction to Biology.'
  ➜ Skipping stray line: 'C889 - Molecular and Cellular Biology - Molecular and Cellular Biology provides students seeking licensure or endorsement in biology, grades 5-12,'
  ➜ Skipping stray line: 'with an introduction to the area of molecular and cellular biology. Molecular and Cellular Biology examines the cell as an organism emphasizing'
  ➜ Skipping stray line: 'molecular basis of cell structure and functions of biological macromolecules, subcellular organelles, intracellular transport, cell division, and biological'
  ➜ Skipping stray line: 'reactions. Prerequisite: Introduction to Biology.'
  ➜ Skipping stray line: 'C890 - Ecology and Environmental Science - Ecology and Environmental Science is an introductory course for undergraduate students seeking'
  ➜ Skipping stray line: 'initial licensure or endorsement in science education for grades 5–12. The course explores the relationships between organisms and their'
  ➜ Skipping stray line: 'environment, including population ecology, communities, adaptations, distributions, interactions, and the environmental factors controlling these'
  ➜ Skipping stray line: 'relationships. This course has no prerequisites.'
  ➜ Skipping stray line: 'C891 - Ecology and Environmental Science - Ecology and Environmental Science is an introductory course for graduate students seeking initial'
  ➜ Skipping stray line: 'licensure or endorsement in science education for grades 5–12. The course introduction to ecology and environmental science and explores the'
  ➜ Skipping stray line: 'relationships between organisms and their environment, including population ecology, communities, adaptations, distributions, interactions, and the'
  ➜ Skipping stray line: 'environmental factors controlling these relationships. This course has no prerequisites.'
  ➜ Skipping stray line: 'C892 - Geology II: Earth Systems - Geology II: Earth Systems provides undergraduate students seeking licensure or endorsement in science'
  ➜ Skipping stray line: 'education for grades 5-12 with an examination of the geosphere, atmosphere, hydrosphere, and biosphere, and the dynamic equilibrium of these'
  ➜ Skipping stray line: 'systems over geologic time. This course also examines the history of Earth and its life-forms, with an emphasis in meteorology. A prerequisite for this'
  ➜ Skipping stray line: 'course is Geology I: Physical.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 169'
  ➜ Skipping stray line: 'C893 - Geology II: Earth Systems - Geology II: Earth Systems provides graduate students seeking licensure or endorsement in science education'
  ➜ Skipping stray line: 'for grades 5-12 with an examination of the geosphere, atmosphere, hydrosphere, and biosphere, and the dynamic equilibrium of these systems over'
  ➜ Skipping stray line: 'geologic time. This course also examines the history of Earth and its life-forms, with an emphasis in meteorology. A prerequisite for this course is'
  ➜ Skipping stray line: 'Geology I: Physical.'
  ➜ Skipping stray line: 'C894 - Astronomy - This course provides undergraduate students seeking initial licensure or endorsement in geosciences for grades 5−12 with'
  ➜ Skipping stray line: 'essential knowledge of astronomy and explores Western history and basic physics of astronomy; phases of the moon and seasons; composition and'
  ➜ Skipping stray line: 'properties of solar system bodies; stellar evolution and remnants; properties and scale of objects and distances within the universe; and introductory'
  ➜ Skipping stray line: 'cosmology. A prerequisite for this course is General Physics.'
  ➜ Skipping stray line: 'C895 - Astronomy - This course provides graduate students seeking initial licensure or endorsement in geosciences for grades 5−12 with essential'
  ➜ Skipping stray line: 'knowledge of astronomy and explores Western history and basic physics of astronomy; phases of the moon and seasons; composition and properties'
  ➜ Skipping stray line: 'of solar system bodies; stellar evolution and remnants; properties and scale of objects and distances within the universe; and introductory cosmology.'
  ➜ Skipping stray line: 'A prerequisite for this course is General Physics.'
  ➜ Skipping stray line: 'C896 - Science Methods - Science Methods provides undergraduate students seeking initial licensure or endorsement in the sciences for grades'
  ➜ Skipping stray line: '5-12 with an introduction to science teaching methods and laboratory safety training. Course content focuses on designing and teaching with the three'
  ➜ Skipping stray line: 'dimensions of science: disciplinary core ideas, crosscutting concepts, and science and engineering practices. Laboratory safety training and'
  ➜ Skipping stray line: 'certification will include the proper use of personal protective equipment and safe laboratory practices and procedures in science classrooms. This'
  ➜ Skipping stray line: 'course has no prerequisites.'
  ➜ Skipping stray line: 'C897 - Mathematics: Content Knowledge - Mathematics: Content Knowledge is designed to help candidates refine and integrate the mathematics'
  ➜ Skipping stray line: 'content knowledge and skills necessary to become successful secondary mathematics teachers. A high level of mathematical reasoning skills and the'
  ➜ Skipping stray line: 'ability to solve problems are necessary to complete this course. Prerequisites for this course are College Geometry, Probability and Statistics I, and'
  ➜ Skipping stray line: 'Pre-Calculus.'
  ➜ Skipping stray line: 'C898 - Earth Science: Content Knowledge - This course covers the advanced content knowledge that a secondary Earth Science teachers is'
  ➜ Skipping stray line: 'expected to know and understand. Topics include basic scientific principles of Earth and Space Sciences, tectonics and internal Earth processes,'
  ➜ Skipping stray line: 'Earth materials and surface processes, history of the Earth and its Life-Forms, Earth's atmosphere and hydrosphhere, and astronomy.'
  ➜ Skipping stray line: 'C900 - Biology: Content Knowledge - This comprehensive course examines a student’s conceptual understanding of a broad range of biology'
  ➜ Skipping stray line: 'topics. High school biology teachers must help students make connections between isolated topics. For example, when studying hormones created by'
  ➜ Skipping stray line: 'endocrine glands traveling through the circulatory system to maintain homeostasis, a student is connecting many biology topics. This course starts'
  ➜ Skipping stray line: 'with macromolecules that make up cellular components and continues with understanding the many cellular processes that allow life to exist.'
  ➜ Skipping stray line: 'Connections are then made between genetics and evolution. Classification of organisms leads into plant and animal development that study the organ'
  ➜ Skipping stray line: 'systems and their role in maintaining homeostasis. The course finishes by studying ecology and how humans affect the environment.'
  ➜ Skipping stray line: 'C901 - Physics: Content Knowledge - Physics: Content Knowledge covers the advanced content knowledge that a secondary physics teacher is'
  ➜ Skipping stray line: 'expected to know and understand. Topics include mechanics, electricity and magnetism, optics and waves, heat and thermodynamics, modern'
  ➜ Skipping stray line: 'physics, atomic and nuclear structure, the history and nature of science, science technology, and social perspectives.'
  ➜ Skipping stray line: 'C902 - Middle School Science: Content Knowledge - This course covers the content knowledge that a middle-level science teacher is expected to'
  ➜ Skipping stray line: 'know and understand. Topics include scientific methodologies, history of science, basic science principles, physical sciences, life sciences, Earth and'
  ➜ Skipping stray line: 'space sciences, and the role of science and technology and their impact on society.'
  ➜ Skipping stray line: 'C903 - Middle School Mathematics: Content Knowledge - Mathematics: Middle School Content Knowledge is designed to help candidates refine'
  ➜ Skipping stray line: 'and integrate the mathematics content knowledge and skills necessary to become successful middle school mathematics teachers. A high level of'
  ➜ Skipping stray line: 'mathematical reasoning skills and the ability to solve problems are necessary to complete this course. Prerequisites for this course are College'
  ➜ Skipping stray line: 'Geometry, Probability and Statistics I, and Pre-Calculus.'
  ➜ Skipping stray line: 'C904 - Teacher Performance Assessment in Science - The Teacher Performance Assessment in Science is a culmination of the wide variety of'
  ➜ Skipping stray line: 'skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a'
  ➜ Skipping stray line: 'collection of your content, planning, instructional, and'
  ➜ Skipping stray line: 'reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C907 - Introduction to Biology - This course is a foundational introduction to the biological sciences. The overarching theories of life from biological'
  ➜ Skipping stray line: 'research are explored as well as the fundamental concepts and principles of the study of living organisms and their interaction with the environment.'
  ➜ Skipping stray line: 'Key concepts include how living organisms use and produce energy; how life grows, develops, and reproduces; how life responds to the environment'
  ➜ Skipping stray line: 'to maintain internal stability; and how life evolves and adapts to the environment.'
  ➜ Skipping stray line: 'C908 - Integrated Physical Sciences - This course provides students with an overview of the basic principles and unifying ideas of the physical'
  ➜ Skipping stray line: 'sciences: physics, chemistry, and Earth sciences. Course materials focus on scientific reasoning and practical and everyday applications of physical'
  ➜ Skipping stray line: 'science concepts to help students integrate conceptual knowledge with practical skills.'
  ➜ Skipping stray line: 'C909 - Elementary Reading Methods and Interventions - Elementary Reading Methods and Interventions provides students seeking initial teacher'
  ➜ Skipping stray line: 'licensure in elementary education with an in-depth look at best practices for developing the reading and writing skills of all students. Course content'
  ➜ Skipping stray line: 'examines the stages of literacy development, the balanced literacy approach, differentiation, technology integration, literacy-assessment, and the'
  ➜ Skipping stray line: 'comprehensive Response to Intervention (RTI) model used to identify and address the needs of learners who struggle with reading comprehension.'
  ➜ Skipping stray line: 'This course has no prerequisites.'
  ➜ Skipping stray line: 'C910 - Elementary Reading Methods and Interventions - Elementary Reading Methods and Interventions provides students seeking initial teacher'
  ➜ Skipping stray line: 'licensure in elementary education with an in-depth look at best practices for developing the reading and writing skills of all students. Course content'
  ➜ Skipping stray line: 'examines the stages of literacy development, the balanced literacy approach, differentiation, technology integration, literacy-assessment, and the'
  ➜ Skipping stray line: 'comprehensive Response to Intervention (RTI) model used to identify and address the needs of learners who struggle with reading comprehension.'
  ➜ Skipping stray line: 'This course has no prerequisites.'
  ➜ Skipping stray line: 'C912 - College Algebra - This course provides further application and analysis of algebraic concepts and functions through mathematical modeling of'
  ➜ Skipping stray line: 'real-world situations. Topics include: real numbers, algebraic expressions, equations and inequalities, graphs and functions, polynomial and rational'
  ➜ Skipping stray line: 'functions, exponential and logarithmic functions, and systems of linear equations.'
  ➜ Skipping stray line: 'C913 - Psychology for Educators - This course prepares candidates to meet the expectations of society and prepares future educators to support'
  ➜ Skipping stray line: 'classroom practice with research-validated concepts. The course helps future educators to create a framework for refining teaching skills that are'
  ➜ Skipping stray line: 'focused on the learner, through engaged inquiry of integrating theory, critical issues in psychology, classroom applications with diverse populations,'
  ➜ Skipping stray line: 'assessment, educational technology, and reflective teaching.'
  ➜ Skipping stray line: 'C914 - Teacher Performance Assessment in Mathematics Education - The Teacher Performance Assessment is a culmination of the wide variety'
  ➜ Skipping stray line: 'of skills learned during your time'
  ➜ Skipping stray line: 'in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of your content,'
  ➜ Skipping stray line: 'planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 170'
  ➜ Skipping stray line: 'C915 - Chemistry: Content Knowledge - Chemistry: Content Knowledge provides advanced instruction in the main areas of chemistry for which'
  ➜ Skipping stray line: 'secondary chemistry teachers are expected to demonstrate competency. Topics include matter and energy, thermochemistry, structure, bonding,'
  ➜ Skipping stray line: 'reactivity, biochemistry and organic chemistry, solutions, nature of science, technology and social perspectives, mathematics, and laboratory'
  ➜ Skipping stray line: 'procedures.'
  ➜ Skipping stray line: 'C925 - Earth: Inside and Out - Earth: Inside and Out explores the ways in which our dynamic planet evolved, and the processes and systems that'
  ➜ Skipping stray line: 'continue to shape it. Though the geologic record is incredibly ancient, it has only been studied intensely since the end of the nineteenth century. Since'
  ➜ Skipping stray line: 'then, research in fields such as geologic time, plate tectonics, climate change, exploration of the deep sea floor, and the inner earth have vastly'
  ➜ Skipping stray line: 'increased our understanding of geological processes. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C926 - Earth: Inside and Out - Earth: Inside and Out explores the ways in which our dynamic planet evolved, and the processes and systems that'
  ➜ Skipping stray line: 'continue to shape it. Though the geologic record is incredibly ancient, it has only been studied intensely since the end of the nineteenth century. Since'
  ➜ Skipping stray line: 'then, research in fields such as geologic time, plate tectonics, climate change, exploration of the deep sea floor, and the inner earth have vastly'
  ➜ Skipping stray line: 'increased our understanding of geological processes. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C930 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C931 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C932 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C933 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C934 - Preclinical Experiences in Elementary and Special Education - Preclinical Experiences in Elementary and Special Education provides'
  ➜ Skipping stray line: 'students the opportunity to observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence'
  ➜ Skipping stray line: 'necessary to be an effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the'
  ➜ Skipping stray line: 'classroom for the observations, students will be required to meet several requirements including a cleared background check, passing scores on the'
  ➜ Skipping stray line: 'state or WGU required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C935 - Preclinical Experiences in Elementary Education - Preclinical Experiences in Elementary Education provides students the opportunity to'
  ➜ Skipping stray line: 'observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an'
  ➜ Skipping stray line: 'effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the'
  ➜ Skipping stray line: 'observations, students will be required to meet several requirements including a cleared background check, passing scores on the state or WGU'
  ➜ Skipping stray line: 'required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C936 - Preclinical Experiences in Elementary Education - Preclinical Experiences in Elementary Education provides students the opportunity to'
  ➜ Skipping stray line: 'observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an'
  ➜ Skipping stray line: 'effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the'
  ➜ Skipping stray line: 'observations, students will be required to meet several requirements including a cleared background check, passing scores on the state or WGU'
  ➜ Skipping stray line: 'required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C937 - Preclinical Experiences in Science - Preclinical Experiences in Science provides students the opportunity to observe and participate in a'
  ➜ Skipping stray line: 'wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will'
  ➜ Skipping stray line: 'reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required'
  ➜ Skipping stray line: 'to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed'
  ➜ Skipping stray line: 'resume.'
  ➜ Skipping stray line: 'C938 - Preclinical Experiences in Science - Preclinical Experiences in Science provides students the opportunity to observe and participate in a'
  ➜ Skipping stray line: 'wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will'
  ➜ Skipping stray line: 'reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required'
  ➜ Skipping stray line: 'to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed'
  ➜ Skipping stray line: 'resume.'
  ➜ Skipping stray line: 'CQC2 - Calculus II - Calculus II is the study of the accumulation of change in relation to the area under a curve. It covers the knowledge and skills'
  ➜ Skipping stray line: 'necessary to apply integral calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include'
  ➜ Skipping stray line: 'antiderivatives; indefinite integrals; the substitution rule; Riemann sums; the Fundamental Theorem of Calculus; definite integrals; acceleration,'
  ➜ Skipping stray line: 'velocity, position, and initial values; integration by parts; integration by trigonometric substitution; integration by partial fractions; numerical integration;'
  ➜ Skipping stray line: 'improper integration; area between curves; volumes and surface areas of revolution; arc length; work; center of mass; separable differential equations;'
  ➜ Skipping stray line: 'direction fields; growth and decay problems; and sequences. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'CUA1 - Culture - Focuses on the nature and role of culture and the importance of cultural groups and cultural identity.'
  ➜ Skipping stray line: 'CWEL - Capstone Written Project in Educational Leadership - The capstone project will consist of the design and implementation of a short-term'
  ➜ Skipping stray line: 'datadriven school improvement initiative. Through the case study approach and during the capstone experience, you will identify one or more'
  ➜ Skipping stray line: 'measurable outcome improvement areas in your case study / practicum site. You will propose and develop short-term school improvement initiatives'
  ➜ Skipping stray line: 'and will then measure the outcomes and results of your implemented improvement initiatives.'
  ➜ Skipping stray line: 'CZC1 - Accounting II - Accounting II is a continuation of the topics that were addressed in Accounting I. Accounting II focuses on ways in which'
  ➜ Skipping stray line: 'accounting principles are used in business operations, deepening the student's understanding of Generally Accepted Accounting Principles (GAAP),'
  ➜ Skipping stray line: 'inventory, liabilities, and budgets. This course also introduces topics that are important for corporate accounting and financial analysis.'
  ➜ Skipping stray line: 'DPT1 - Physics: Electricity and Magnetism - Physics: Electricity and Magnetism addresses principles related to the physics of electricity and'
  ➜ Skipping stray line: 'magnetism. Students will study electric and magnetic forces and then apply that knowledge to the study of circuits with resistors and electromagnetic'
  ➜ Skipping stray line: 'induction and waves, focusing on such topics as: Electric charge and electric field, electric currents and resistance, magnetism, electromagnetic'
  ➜ Skipping stray line: 'induction and Faraday's law, and Maxwell's equation and electromagnetic waves.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 171'
  ➜ Skipping stray line: 'DPT2 - Physics: Electricity and Magnetism - Physics: Electricity and Magnetism addresses principles related to the physics of electricity and'
  ➜ Skipping stray line: 'magnetism. Students will study electric and magnetic forces and then apply that knowledge to the study of circuits with resistors and electromagnetic'
  ➜ Skipping stray line: 'induction and waves, focusing on such topics as: Electric charge and electric field, electric currents and resistance, magnetism, electromagnetic'
  ➜ Skipping stray line: 'induction and Faraday's law, and Maxwell's equation and electromagnetic waves.'
  ➜ Skipping stray line: 'DRC1 - Educational Assessment - Educational Assessment assists students in making appropriate data-driven instructional decisions by exploring'
  ➜ Skipping stray line: 'key concepts relevant to the administration, scoring, and interpretation of classroom assessments. Topics include ethical assessment practices,'
  ➜ Skipping stray line: 'designing assessments, aligning assessments, and utilizing technology for assessment.'
  ➜ Skipping stray line: 'DWP2 - Application of Elementary Social Studies Methods - Application of Elementary Social Studies Methods helps students learn how to'
  ➜ Skipping stray line: 'implement effective social studies instruction in the elementary classroom. Topics include social studies themes, promoting cultural diversity,'
  ➜ Skipping stray line: 'integrated social studies across the curriculum, social studies learning environments, assessing social studies understanding, differentiated instruction'
  ➜ Skipping stray line: 'for social studies, technology for social studies instruction, and standards-based social studies instruction. This course helps students to apply,'
  ➜ Skipping stray line: 'analyze, and reflect on effective elementary social studies instruction.'
  ➜ Skipping stray line: 'DZP2 - Application of Elementary Visual and Performing Arts Methods - Application of Elementary Visual and Performing Arts Methods helps'
  ➜ Skipping stray line: 'students learn how to implement effective visual and performing arts instruction in the elementary classroom. Topics include integrating arts across the'
  ➜ Skipping stray line: 'curriculum, music education, visual arts, dance and movement, dramatic arts, differentiated instruction for visual and performing arts, and promoting'
  ➜ Skipping stray line: 'cultural diversity through visual and performing arts instruction. This course helps students to apply, analyze, and reflect on effective elementary visual'
  ➜ Skipping stray line: 'and performing arts instruction.'
  ➜ Skipping stray line: 'EBP2 - Application of Elementary Physical Education and Health Methods - Applications of Elementary Physical Education and Health Methods'
  ➜ Skipping stray line: 'helps students learn how to implement effective physical and health education instruction in the elementary classroom. Topics include healthy'
  ➜ Skipping stray line: 'lifestyles, student safety, student nutrition, physical education, differentiated instruction for physical and health education, physical education across'
  ➜ Skipping stray line: 'the curriculum, and public policy in health and physical education. This course helps students to apply, analyze, and reflect on effective elementary'
  ➜ Skipping stray line: 'visual and performing arts instruction.'
  ➜ Skipping stray line: 'EFP1 - Cultural Studies and Diversity - Cultural Studies and Diversity focuses on the development of cultural awareness. Students will analyze the'
  ➜ Skipping stray line: 'role of culture in today’s world, develop culturally-responsive practices, and understand the barriers to and the benefits of diversity.'
  ➜ Skipping stray line: 'EFV1 - Behavioral Management and Intervention - Behavioral Management and Intervention explores the challenges of working with students with'
  ➜ Skipping stray line: 'emotional and behavioral disabilities and helps students learn about theories, interventions, practices, and assessments that can influence these'
  ➜ Skipping stray line: 'children's opportunities for success. It further helps students better be able to make decisions about how to strategize behavior'
  ➜ Skipping stray line: 'adjustments for individual students.'
  ➜ Skipping stray line: 'EFV2 - Behavioral Management and Intervention - Behavioral Management and Intervention explores the challenges of working with students with'
  ➜ Skipping stray line: 'emotional and behavioral disabilities and helps students learn about theories, interventions, practices, and assessments that can influence these'
  ➜ Skipping stray line: 'children's opportunities for success. It further helps students better be able to make decisions about how to strategize behavior adjustments for'
  ➜ Skipping stray line: 'individual students.'
  ➜ Skipping stray line: 'ELO1 - Subject Specific Pedagogy: ELL - Subject Specific Pedagogy: ELL integrates aspects of pedagogy, assessment, and professionalism in'
  ➜ Skipping stray line: 'English Language Learning (ELL). A student develops and assesses aspects of language curriculum development including second language'
  ➜ Skipping stray line: 'instruction, methods of second language assessment, and legal policy issues.'
  ➜ Skipping stray line: 'EST1 - Ethical Situations in Business - Ethical Situations in Business explores various scenarios in business and helps students learn to develop'
  ➜ Skipping stray line: 'ethical and socially responsible courses of action. Students will also learn to develop an appropriate and comprehensive ethics program for a business'
  ➜ Skipping stray line: 'venture.'
  ➜ Skipping stray line: 'EXP2 - College Geometry - College Geometry covers the knowledge and skills necessary to apply geometry to model and solve real-life problems, to'
  ➜ Skipping stray line: 'do formal axiomatic proofs in geometry, and to use dynamic technology to explore geometry. Topics include axiomatic systems and analytic proof;'
  ➜ Skipping stray line: 'non-Euclidean geometries; construction, analytic, and synthetic methods for investigating and proving properties and relationships of two- and three-'
  ➜ Skipping stray line: 'dimensional objects; geometric transformations, tessellations, and using inductive reasoning; concrete models; and dynamic technology to conduct'
  ➜ Skipping stray line: 'geometric investigations. College Algebra and Pre-Calculus are prerequisites for this course.'
  ➜ Skipping stray line: 'FCC1 - Introduction to Special Education, Law and Legal Issues - Introduction to Special Education, Law and Legal Issues introduces the history'
  ➜ Skipping stray line: 'and nature of special education and how it relates to general education, as well as specific legal acts and concepts governing it. Topics include history'
  ➜ Skipping stray line: 'of special education, the Individuals with Disabilities Education Act, the No Child Left Behind Act, FAPE (free, appropriate public education), and least'
  ➜ Skipping stray line: 'restrictive environments.'
  ➜ Skipping stray line: 'FCC2 - Introduction to Special Education, Law and Legal Issues, Policies and Procedures - Introduction to Special Education, Law and Legal'
  ➜ Skipping stray line: 'Issues, Policies and Procedures introduces the history and nature of special education and how it relates to general education, as well as specific'
  ➜ Skipping stray line: 'legal acts and concepts governing it. Topics include history of special education, the Individuals with Disabilities Education Act, the No Child Left'
  ➜ Skipping stray line: 'Behind Act, FAPE (free, appropriate public education), and least restrictive environments.'
  ➜ Skipping stray line: 'FEA1 - Field Experience for ELL - Field Experience for ELL is the field experience component of the English Language Learning program. In this'
  ➜ Skipping stray line: 'experience, students are required to complete a minimum of 15 hours of observations at both elementary and secondary levels. Additionally, a'
  ➜ Skipping stray line: 'supervised teaching experience that is face-to-face with English language learners according to the minimum time requirements of your state is'
  ➜ Skipping stray line: 'required. The purpose of this course is to assess the ability of the student including their engagement in field experience activities, ability to reflect on'
  ➜ Skipping stray line: 'and then plan standards-based instruction in ELL, and their ability to locate and effectively use resources for teaching ELL to meet the needs of their'
  ➜ Skipping stray line: 'individual students.'
  ➜ Skipping stray line: 'FJC1 - Psychoeducational Assessment Practices and IEP Development/Implementation - Psychoeducational Assessment Practices and IEP'
  ➜ Skipping stray line: 'Development/Implementation prepares students to apply knowledge the IEP as they work with students who have mild to moderate disabilities in a'
  ➜ Skipping stray line: 'wide variety of possible situations, all with an emphasis on cross-categorical inclusion. It helps students gain fluency in their understanding of the 13'
  ➜ Skipping stray line: 'disability categories, assessment, curriculum, and instruction.'
  ➜ Skipping stray line: 'FJC2 - Psychoeducational Assessment Practices and IEP Development/Implementation - Psychoeducational Assessment Practices and IEP'
  ➜ Skipping stray line: 'Development/Implementation prepares students to apply knowledge the IEP as they work with students who have mild to moderate disabilities in a'
  ➜ Skipping stray line: 'wide variety of possible situations, all with an emphasis on cross-categorical inclusion. It helps students gain fluency in their understanding of the 13'
  ➜ Skipping stray line: 'disability categories, assessment, curriculum, and instruction.'
  ➜ Skipping stray line: 'FLC1 - Instructional Models and Design, Supervision and Culturally Response Teaching - Instructional Models and Design, Supervision and'
  ➜ Skipping stray line: 'Culturally Response Teaching helps students understand the role of special education in the development of instruction, why this field exists separate'
  ➜ Skipping stray line: 'from and in conjunction with general education, where it is going, and how they can help coordinate inclusion for students. Students will gain expertise'
  ➜ Skipping stray line: 'in developing instructional, curricular, and environmental interventions based on assessment data and student need.'
  ➜ Skipping stray line: 'FLC2 - Instructional Models and Design, Supervision and Culturally Responsive Teaching - Instructional Models and Design, Supervision and'
  ➜ Skipping stray line: 'Culturally Responsive Teaching helps students understand the role of special education in the development of instruction, why this field exists'
  ➜ Skipping stray line: 'separate from and in conjunction with general education, where it is going, and how they can help coordinate inclusion for students. Students will gain'
  ➜ Skipping stray line: 'expertise in developing instructional, curricular, and environmental interventions based on assessment data and student need.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 172'
  ➜ Skipping stray line: 'FVC1 - Global Business - This course provides an introduction to global business. The advantages of global production and the benefits of trade are'
  ➜ Skipping stray line: 'critical aspects of global business. Many factors influence global business, such as transparency, geography, corruption, intellectual property'
  ➜ Skipping stray line: 'protections, outsourcing and off-shoring, operation management, and generally accepted accounting principles.'
  ➜ Skipping stray line: 'FXT2 - Disaster Recovery Planning, Prevention and Response - This course prepares students to plan and execute industry best practices related'
  ➜ Skipping stray line: 'to conducting organization-wide information assurance initiatives and to preparing an organization for implementing a comprehensive Information'
  ➜ Skipping stray line: 'Assurance Management program.'
  ➜ Skipping stray line: 'HMP1 - Cases in Advanced Human Resource Management - During Cases in Advanced Human Resource Management students apply their'
  ➜ Skipping stray line: 'knowledge of human resource management by completing a case study. Students will apply critical human resource strategies in the areas of'
  ➜ Skipping stray line: 'legal/regulatory compliance, recruitment and selection of personnel, performance and feedback mechanisms, and financial and benefits'
  ➜ Skipping stray line: 'compensation.'
  ➜ Skipping stray line: 'IDC1 - Foundations of Instructional Design - Foundations of Instructional Design provides an overview of how to select the most appropriate'
  ➜ Skipping stray line: 'learning theories, design processes, and instructional strategies based on learner audience, instructional setting, and current and desired state of'
  ➜ Skipping stray line: 'learning.'
  ➜ Skipping stray line: 'IYT2 - Introduction to Curriculum Theory - For over 200 years, educators in the United States have debated the purpose of education. Should'
  ➜ Skipping stray line: 'education be for enlightenment or to prepare students for the life of work? Should education be for many or for a select few? These questions continue'
  ➜ Skipping stray line: 'to be debated today. Through curriculum theory and reflection, educators have an educational framework by which to understand how theory and'
  ➜ Skipping stray line: 'one's philosophical views can impact the design, development, and implementation of curriculum and instruction. With this in mind, Introduction to'
  ➜ Skipping stray line: 'Curriculum Theory focuses on exploring and applying an understanding of Scholar Academic, Social Efficiency, Learner Centered, and Social'
  ➜ Skipping stray line: 'Reconstruction ideologies in various instructional settings and on the development on one’s own curriculum philosophy.'
  ➜ Skipping stray line: 'IZT2 - Learning Theories - Learning Theories focuses on the complexity of the current learning environment and how behaviorism, cognitivism,'
  ➜ Skipping stray line: 'constructivism, and personal learning philosophy can assist in the development of appropriate curriculum and instruction.'
  ➜ Skipping stray line: 'JIT2 - Risk Management - Content focuses on categorizing levels of risk and understanding how risk can impact the operations of the business'
  ➜ Skipping stray line: 'through a scenario involving the creation of a risk management program and business continuity program for a company and a business situation'
  ➜ Skipping stray line: 'reacting to a crisis/disaster situation affecting the company.'
  ➜ Skipping stray line: 'JNT2 - Instructional Design Analysis - Instructional Design Analysis focuses on using analysis of needs to determine the needs and interests of'
  ➜ Skipping stray line: 'learners, and scope and sequence for developing a logical approach for an education program to formulate appropriate and measurable program'
  ➜ Skipping stray line: 'objectives.'
  ➜ Skipping stray line: 'JOT2 - Issues in Instructional Design - Issues in Instructional Design focuses on learning theories, learner analysis, scope and sequence,'
  ➜ Skipping stray line: 'instructional strategies, task analysis and design theories, media and technology foundations, and adaptive technologies for special populations for'
  ➜ Skipping stray line: 'creating effective, well-articulated, and efficient instruction.'
  ➜ Skipping stray line: 'JPT2 - Instructional Design Production - Instructional Design Production focuses on the application of a systematic process of instructional design,'
  ➜ Skipping stray line: 'namely the concepts and procedure for analyzing and designing successful instruction. This course will prepare students to conduct a goal analysis, a'
  ➜ Skipping stray line: 'process used to identify instructional goals, as well as a task analysis, which is used to determine the skills and knowledge required to accomplish'
  ➜ Skipping stray line: 'those goals. This course also focuses on writing performance objectives, designing assessments, and developing instruction that incorporates relevant'
  ➜ Skipping stray line: 'learning theories. Methods for formatively evaluating a unit of instruction are also introduced. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'JQT2 - Issues in Measurement and Evaluation - Issues in Measurement and Evaluation focuses on the understanding of formative and summative'
  ➜ Skipping stray line: 'evaluation, quantitative and qualitative data collection tools, including rubrics and the processes of evaluation.'
  ➜ Skipping stray line: 'JRT2 - Evaluation Methodology and Instrumentation - Evaluation Methodology and Instrumentation focuses on using qualitative and quantitative'
  ➜ Skipping stray line: 'data collection tools and techniques to construct and evaluate valid and reliable measuring instruments.'
  ➜ Skipping stray line: 'JST2 - Evaluation Process and Recommendation - Evaluation Process and Recommendation focuses on implementing and interpreting an'
  ➜ Skipping stray line: 'evaluation and the reporting of the results and recommendations to stakeholders.'
  ➜ Skipping stray line: 'JWT2 - Instructional Theory - Instructional Theory focuses on exploring instructional design theory and related models and processes. Students will'
  ➜ Skipping stray line: 'apply instructional design principles to the design and delivery of plans to meet the learning needs found in the instructional setting.'
  ➜ Skipping stray line: 'JXT2 - Educational Psychology - Educational Psychology examines the latest findings in child and adolescent development and provides educators'
  ➜ Skipping stray line: 'the opportunity to apply educational psychology to various instructional settings. Students will explore the areas of applied educational psychology to'
  ➜ Skipping stray line: 'teaching, cognitive development, social development, and cultural development. They will design, develop, modify, and evaluate curriculum and'
  ➜ Skipping stray line: 'instruction in various educational settings according to child/adolescent development.'
  ➜ Skipping stray line: 'JYT2 - Curriculum Design - Curriculum Design focuses on exploring curriculum design theory, educational standards, and design frameworks for'
  ➜ Skipping stray line: 'what to teach. Together these topics will provide educators with the ability to take principles of curriculum design theory and related models and apply'
  ➜ Skipping stray line: 'them when developing, designing, and modifying curriculum to meet learning needs in their instructional setting.'
  ➜ Skipping stray line: 'JZT2 - Curriculum Evaluation - Curriculum Evaluation focuses on exploring evaluation systems and student data to determine the effectiveness of'
  ➜ Skipping stray line: 'curriculum. It also focuses on differentiating curriculum based on student data.'
  ➜ Skipping stray line: 'KAT2 - Assessment for Student Learning - Assessment for Student Learning focuses on developing the knowledge and skills to identify, develop,'
  ➜ Skipping stray line: 'and design instrument tools for evaluating student learning. It also explores the use of objective and performance-based, formative, and summative'
  ➜ Skipping stray line: 'assessments and their results in the evaluation of curriculum and instruction for student learning.'
  ➜ Skipping stray line: 'KBT2 - Differentiated Instruction - Differentiated Instruction focuses on developing and implementing curriculum and instruction that that best meets'
  ➜ Skipping stray line: 'the needs of all learners within a given instructional setting.'
  ➜ Skipping stray line: 'LEC1 - Comprehensive Educational Leadership Integration - You will complete a comprehensive objective proctored assessment in Educational'
  ➜ Skipping stray line: 'Leadership theory and practices, including administrative theory, school law, school finance, curriculum development and implementation, personnel'
  ➜ Skipping stray line: 'management, public relations, and technology. You will be required to pass the Comprehensive Educational Leadership Integration objective'
  ➜ Skipping stray line: 'assessment.'
  ➜ Skipping stray line: 'LFT1 - Student, Stakeholder, and Market Focus for Educational Leaders - This subdomain reviews principles and practices of meeting'
  ➜ Skipping stray line: 'stakeholder needs and reviews your case study site’s effectiveness in managing stakeholder relationships.'
  ➜ Skipping stray line: 'LMT1 - Measurement, Analysis, and Knowledge Management for Educational Leaders - This subdomain reviews principles and practices of'
  ➜ Skipping stray line: 'program and curriculum effectiveness evaluation as well as best practices in technology for educational leaders. You also complete a program,'
  ➜ Skipping stray line: 'practice, or curriculum effectiveness evaluation in your case study site as well as an evaluation of technology implementation.'
  ➜ Skipping stray line: 'LNT1 - Process Management for Educational Leaders - This subdomain reviews best practices in process management for educational leaders, as'
  ➜ Skipping stray line: 'well as an evaluation of your case study site’s process management policies and practices.'
  ➜ Skipping stray line: 'LPA1 - Language Production, Theory and Acquisition - Language Production, Theory and Acquisition focuses on describing and understanding'
  ➜ Skipping stray line: 'language and the development of language. It includes the study of acquisition theory, grammar, and applied phonetics.'
  ➜ Skipping stray line: 'LPT1 - Performance Excellence Criteria for Educational Leaders - This subdomain reviews the case study model and prepares you to complete a'
  ➜ Skipping stray line: 'thorough review of the effectiveness of their case study site’s operations, outcomes, and leadership.'
  ➜ Skipping stray line: 'LQT2 - Information Security and Assurance Capstone Project - Students will be able to choose from three areas of emphasis, depending on'
  ➜ Skipping stray line: 'personal and professional interests. Students will complete a capstone project that deals with a significant real-world business problem that further'
  ➜ Skipping stray line: 'integrates the components of the degree. Capstone projects will require an oral defense before a committee of WGU faculty.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 173'
  ➜ Skipping stray line: 'LRT1 - Practicum in Educational Leadership - Foundational Perspectives of Education includes a series of performance tasks to take place under'
  ➜ Skipping stray line: 'the leadership of a practicing state licensed school principal or assistant principal in a practicum school site (K–12). This assessment also includes'
  ➜ Skipping stray line: 'completion of assigned administrative duties to take place in both elementary (K–6) and secondary (7–12) settings under the leadership and'
  ➜ Skipping stray line: 'supervision of the cooperating administrator in your case study school site. Practicum requirements vary by state of intended licensure and WGU'
  ➜ Skipping stray line: 'program requirements, and the standard has been set between 275 and 540 of logged practicum activities that span a minimum of six consecutive'
  ➜ Skipping stray line: 'months. Please refer back to the WGU Student Handbook for reference of your program requirements. You are required to pass the Practicum in'
  ➜ Skipping stray line: 'Educational Leadership performance assessments and successfully submit other documentation, including evaluations of your performance'
  ➜ Skipping stray line: 'completed by the cooperating administrator and documentation of completion of state-required hours of assigned administrative duties. The'
  ➜ Skipping stray line: 'Educational Leadership Practicum requires a practicum fee. During the Educational Leadership Practicum, you are also expected to take and pass'
  ➜ Skipping stray line: 'your state's licensure examination(s) required for certification as a school principal and the PRAXIS 5411 Educational Leadership: Administration and'
  ➜ Skipping stray line: 'Supervision exam.'
  ➜ Skipping stray line: 'LST1 - Strategic Planning for Educational Leaders - This subdomain reviews principles and practices of the strategic planning process as well as a'
  ➜ Skipping stray line: 'case study review of the strategic planning processes in your case study site.'
  ➜ Skipping stray line: 'LWT1 - Workforce Focus for Educational Leaders - This subdomain reviews best practices in human resource administration for educational'
  ➜ Skipping stray line: 'leaders, as well as an evaluation of your case study site’s workforce management practices.'
  ➜ Skipping stray line: 'LZT2 - Power, Influence and Leadership - This course focuses on the development of the critical leadership and soft skills necessary for success in'
  ➜ Skipping stray line: 'information technology leadership and management. The course focuses specifically on skills such as cultivating effective leadership communication,'
  ➜ Skipping stray line: 'building personal influence, enhancing emotional intelligence (soft skills), generating ideas and encouraging idea generation in others, conflict'
  ➜ Skipping stray line: 'resolution, and positioning oneself as an influential change agent within different organizational cultures.'
  ➜ Skipping stray line: 'MAT2 - Information Technology Management - This course will prepare students to cope with information technology resources in a manner'
  ➜ Skipping stray line: 'beneficial to their company. Such skill includes estimating both the cost and value of IT to the company, setting priorities for project selection,'
  ➜ Skipping stray line: 'management of IT projects, and handling risk. These responsibilities imply an ability to align technology with an organization’s strategic goals. In total,'
  ➜ Skipping stray line: 'students will develop the ability to effectively administer and manage current and emerging technologies within an organization.'
  ➜ Skipping stray line: 'MBT2 - Technological Globalization - This course is designed to equip students to better understand the fundamental, galvanizing and'
  ➜ Skipping stray line: 'transformational role of advanced IT communications, networks and services in all major industries; advanced IT is an unparalleled force multiplier in'
  ➜ Skipping stray line: 'scientific research, energy production and use, health and medicine. IT is a critical resource in the global community, economically, socially, politically'
  ➜ Skipping stray line: 'and culturally.'
  ➜ Skipping stray line: 'MCT2 - Technical Writing - As IT professionals are frequently required to interface with customers, clients, other departments, organizational leaders,'
  ➜ Skipping stray line: 'and even other institutions, strong communication skills are vital. In this course, students learn to communicate accurately, effectively, and ethically to'
  ➜ Skipping stray line: 'a variety of audiences. Students design communication to fit oral, print, and multi-media contexts. They develop rhetorical sensitivity in both their'
  ➜ Skipping stray line: 'writing and their design decisions.'
  ➜ Skipping stray line: 'MEC1 - Foundations of Measurement and Evaluation - Foundations of Measurement and Evaluation focuses on assessment validity, constructing'
  ➜ Skipping stray line: 'reliable test instruments, identifying appropriate item and instrument types, qualitative data collection tools and techniques, and conducting a formative'
  ➜ Skipping stray line: 'and summative evaluation for an instruction product or program.'
  ➜ Skipping stray line: 'MFT2 - Mathematics (K-6) Portfolio Oral Defense - Mathematics (K-6) Portfolio Oral Defense: Mathematics (K-6) Portfolio Defense focuses on a'
  ➜ Skipping stray line: 'formal presentation. The student will present an overview of their teacher work sample (TWS) portfolio discussing the challenges they faced and how'
  ➜ Skipping stray line: 'they determined whether their goals were accomplished. They will explain the process they went through to develop the TWS portfolio and reflect on'
  ➜ Skipping stray line: 'the methodologies and outcomes of the strategies discussed in the TWS portfolio. Additionally, they will discuss the strengths and weaknesses of'
  ➜ Skipping stray line: 'those strategies and how they can apply what they learned from the TWS portfolio in their professional work environment.'
  ➜ Skipping stray line: 'MGT2 - IT Project Management - IT Project Management provides an overview of the Project Management Institute’s project management'
  ➜ Skipping stray line: 'methodology. Topics cover various process groups and knowledge areas and application of knowledge in case studies for planning a project that has'
  ➜ Skipping stray line: 'not started yet and monitoring/controlling a project that is already underway.'
  ➜ Skipping stray line: 'MMT2 - IT Strategic Solutions - In IT Strategic Solutions the learner will have the opportunity to identify strategic opportunities and emerging'
  ➜ Skipping stray line: 'technologies as they research and decide on a system to support a growing company. Topics will include technology strategy; gap analysis;'
  ➜ Skipping stray line: 'researching new technology; strengths, opportunities, weaknesses, and threats; ethics; risk mitigation; data security, communication plans; and'
  ➜ Skipping stray line: 'globalization.'
  ➜ Skipping stray line: 'NHC1 - Introduction to Instructional Planning and Presentation - Students will develop a basic understanding of effective instructional principles'
  ➜ Skipping stray line: 'and how to differentiate instruction in order to elicit powerful teaching in the classroom.'
  ➜ Skipping stray line: 'NMA1 - Professional Role of the ELL Teacher - The Professional Role of the ELL Teacher focuses on issues of professionalism for the English'
  ➜ Skipping stray line: 'Language Learning teacher and leader. This includes program development, ethics, engagement in professional organizations, serving as a resource,'
  ➜ Skipping stray line: 'and ELL advocacy.'
  ➜ Skipping stray line: 'NNA1 - Planning, Implementing, Managing Instruction - Planning, Implementing, Managing Instruction focuses on a variety of philosophies and'
  ➜ Skipping stray line: 'grade levels of English Language Learner (ELL) instruction. It includes the study of ELL listening and speaking, ELL reading and writing, specially'
  ➜ Skipping stray line: 'designed academic instruction in English (SDAIE), and specific issues for various grade level instruction.'
  ➜ Skipping stray line: 'OOT2 - Mathematics History and Technology - Mathematics History and Technology introduces a variety of technological tools for doing'
  ➜ Skipping stray line: 'mathematics, and you will develop a broad understanding of the historical development of mathematics. You will come to understand that'
  ➜ Skipping stray line: 'mathematics is a very human subject that comes from the macro-level sweep of cultural and societal change, as well as the micro-level actions of'
  ➜ Skipping stray line: 'individuals with personal, professional, and philosophical motivations. Most importantly, you will learn to evaluate and apply technological tools and'
  ➜ Skipping stray line: 'historical information to create an enriching student-centered mathematical learning environment. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'OPT2 - Mathematics Learning and Teaching - Mathematics Learning and Teaching will help you develop the knowledge and skills necessary to'
  ➜ Skipping stray line: 'become a prospective and practicing educator. You will be able to use a variety of instructional strategies to effectively facilitate the learning of'
  ➜ Skipping stray line: 'mathematics. This course focuses on selecting appropriate resources, using multiple strategies, and instructional planning, with methods based on'
  ➜ Skipping stray line: 'research and problem solving. A deep understanding of the knowledge, skills, and disposition of mathematics pedagogy is necessary to become an'
  ➜ Skipping stray line: 'effective secondary mathematics educator. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'PFHM - Business - HR Management Portfolio Requirement - Students prepare a culminating professional portfolio to demonstrate the'
  ➜ Skipping stray line: 'competencies they have learned throughout their program. The portfolio includes a strengths essay, a career report, a reflection essay, a résumé, and'
  ➜ Skipping stray line: 'exhibits demonstrating personal strengths in the work place.'
  ➜ Skipping stray line: 'PFIT - Business - IT Management Portfolio Requirement - Business - IT Management Portfolio Requirement is designed to help the learner'
  ➜ Skipping stray line: 'complete the culminating Undergraduate Business Portfolio assessment; it focuses on developing a business portfolio containing a strengths essay, a'
  ➜ Skipping stray line: 'career report, a reflection essay, a resume, and exhibits that support one’s strengths in the work place.'
  ➜ Skipping stray line: 'QDT1 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'
  ➜ Skipping stray line: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'
  ➜ Skipping stray line: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'
  ➜ Skipping stray line: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'
  ➜ Skipping stray line: 'Algebra is a prerequisite for this course.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 174'
  ➜ Skipping stray line: 'QDT2 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'
  ➜ Skipping stray line: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'
  ➜ Skipping stray line: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'
  ➜ Skipping stray line: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'
  ➜ Skipping stray line: 'Algebra is a prerequisite for this course.'
  ➜ Skipping stray line: 'QET1 - Business - HR Management Capstone Project - For the Business - HR Management Capstone Project students will integrate and'
  ➜ Skipping stray line: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ➜ Skipping stray line: 'professional field. A comprehensive business plan is developed for a company that offers HR products or services. The business plan includes a'
  ➜ Skipping stray line: 'market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ➜ Skipping stray line: 'QFT1 - Business - IT Management Capstone Project - The capstone requires students to demonstrate the integration and synthesis of'
  ➜ Skipping stray line: 'competencies in all domains required for the degree in Information Technology Management. The student produces a business plan for a start-up'
  ➜ Skipping stray line: 'company that is selected and approved by the student and mentor.'
  ➜ Skipping stray line: 'QGT1 - Business Management Capstone Written Project - For the Business Management Capstone Written Project students will integrate and'
  ➜ Skipping stray line: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ➜ Skipping stray line: 'professional field. A comprehensive business plan is developed for a company that plans to sell a product or service in a local market, national'
  ➜ Skipping stray line: 'market, or on the Internet. The business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to'
  ➜ Skipping stray line: 'the chosen company.'
  ➜ Skipping stray line: 'QHT1 - Business Management Tasks - Business Management Tasks addresses important concepts needed to effectively manage a'
  ➜ Skipping stray line: 'business. Topics include the cost-quality relationship, the use of various types of graphical charts in operations management, managing innovation,'
  ➜ Skipping stray line: 'and developing strategies for working with individuals and groups.'
  ➜ Skipping stray line: 'QIT1 - Business Marketing Management Capstone Written Project - For the Business Marketing Management Capstone Project students will'
  ➜ Skipping stray line: 'integrate and synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their'
  ➜ Skipping stray line: 'chosen professional field. A comprehensive business plan is developed for a company that provides some type of marketing product or service. The'
  ➜ Skipping stray line: 'business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ➜ Skipping stray line: 'QJT2 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to use'
  ➜ Skipping stray line: 'differential calculus of one variable and appropriate technology to solve basic problems. Topics include graphing functions and finding their domains'
  ➜ Skipping stray line: 'and ranges; limits, continuity, differentiability, visual, analytical, and conceptual approaches to the definition of the derivative; the power, chain, and'
  ➜ Skipping stray line: 'sum rules applied to polynomial and exponential functions, position and velocity; and L'Hopital's Rule. Candidates should have completed a course in'
  ➜ Skipping stray line: 'Pre-Calculus before engaging in this course.'
  ➜ Skipping stray line: 'QTT2 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ➜ Skipping stray line: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ➜ Skipping stray line: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ➜ Skipping stray line: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'RKT1 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ➜ Skipping stray line: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ➜ Skipping stray line: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ➜ Skipping stray line: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ➜ Skipping stray line: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ➜ Skipping stray line: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'RKT2 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ➜ Skipping stray line: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ➜ Skipping stray line: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ➜ Skipping stray line: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ➜ Skipping stray line: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ➜ Skipping stray line: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'RNT1 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ➜ Skipping stray line: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ➜ Skipping stray line: 'RNT2 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ➜ Skipping stray line: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ➜ Skipping stray line: 'RXT2 - Precalculus and Calculus - Precalculus and Calculus provides instruction in precalculus and calculus and applies them to examples found in'
  ➜ Skipping stray line: 'both mathematics and science. Topics in precalculus include principles of trigonometry, mathematical modeling, and logarithmic, exponential,'
  ➜ Skipping stray line: 'polynomial, and rational functions. Topics in calculus include conceptual knowledge of limit, continuity, differentiability, and integration.'
  ➜ Skipping stray line: 'SJT2 - Advanced Networking Technology - This course prepares students to support the ever growing interconnectivity needs of organizations.'
  ➜ Skipping stray line: 'Students will learn about advanced networking concepts, devices and strategies to provide superior network connectivity to organizations. A review of'
  ➜ Skipping stray line: 'common yet critical network devices and technologies will be provided such as switches, routers, hubs, firewalls, T-1s, ATM, fiber and others.'
  ➜ Skipping stray line: 'Students will also be prepared to review existing network environments and provide specifications to upgrade and enhance such networks.'
  ➜ Skipping stray line: 'SLO1 - Theories of Second Language Acquisition and Grammar - Theories of Second Language Learning Acquisition and Grammar covers'
  ➜ Skipping stray line: 'content material in applied linguistics, including morphology, syntax, semantics, and grammar. Students will explore the role of dialect in the'
  ➜ Skipping stray line: 'classroom, the connections between language and culture, and the theories of first and second language acquisition.'
  ➜ Skipping stray line: 'TAT2 - Technology Production - Technology Production focuses on the foundations of media and technology, integrated technology development,'
  ➜ Skipping stray line: 'and the integration of technology into appropriate instructional uses of productivity, and applying different research applications in the learning'
  ➜ Skipping stray line: 'environment.'
  ➜ Skipping stray line: 'TDT1 - Technology Design Portfolio - Technology Design Portfolio focuses on gaining a broad overview of the field of technology integration with a'
  ➜ Skipping stray line: 'fundamental understanding of some key concepts and principles, and enhancing technology skills to enable the producing of exportable instructional'
  ➜ Skipping stray line: 'and professional products using various integrated application programs.'
  ➜ Skipping stray line: 'TET1 - Issues in Technology Integration - Issues in Technology Integration focuses on the legal and ethical practice of technology, some personal'
  ➜ Skipping stray line: 'uses of electronic resources, the need for protection of information, the foundations of media and technology, what electronic learning communities'
  ➜ Skipping stray line: 'are, and the adaptive technologies for special populations.'
  ➜ Skipping stray line: 'TFT2 - Cyberlaw, Regulations, and Compliance - Cyberlaw, Regulations and Compliance prepares students to participate in legal analysis of'
  ➜ Skipping stray line: 'relevant cyberlaws and address governance, standards, policies, and legislation. Students will conduct a security risk analysis for an enterprise'
  ➜ Skipping stray line: 'system. In addition, students will determine cyber requirements for third‐party vendor agreements. Students will also evaluate provisions of both the'
  ➜ Skipping stray line: '2001 and 2006 USA PATRIOT Acts.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 175'
  ➜ Skipping stray line: 'TOC2 - Probability and Statistics I - Probability and Statistics I covers the knowledge and skills necessary to apply basic probability, descriptive'
  ➜ Skipping stray line: 'statistics, and statistical reasoning, and to use appropriate technology to model and solve real-life problems. It provides an introduction to the science'
  ➜ Skipping stray line: 'of collecting, processing, analyzing, and interpreting data. Topics include creating and interpreting numerical summaries and visual displays of data;'
  ➜ Skipping stray line: 'regression lines and correlation; evaluating sampling methods and their effect on possible conclusions; designing observational studies, controlled'
  ➜ Skipping stray line: 'experiments, and surveys; and determining probabilities using simulations, diagrams, and probability rules. College Algebra is a prerequisite for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'TQC1 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Skipping stray line: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Skipping stray line: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Skipping stray line: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Skipping stray line: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Skipping stray line: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Skipping stray line: 'TQC2 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Skipping stray line: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Skipping stray line: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Skipping stray line: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Skipping stray line: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Skipping stray line: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Skipping stray line: 'TSC2 - General Chemistry I - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Skipping stray line: 'solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic table and chemical'
  ➜ Skipping stray line: 'nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work focuses on using'
  ➜ Skipping stray line: 'effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TSP1 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Skipping stray line: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Skipping stray line: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TSP2 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Skipping stray line: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Skipping stray line: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TUC2 - General Chemistry II - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Skipping stray line: 'solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models, oxidation-reduction'
  ➜ Skipping stray line: 'reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on using effective'
  ➜ Skipping stray line: 'laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TUP1 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Skipping stray line: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Skipping stray line: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TUP2 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Skipping stray line: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Skipping stray line: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TVT2 - Governance, Finance, Law, and Leadership for Principals - This subdomain contains content in educational law, finance, and'
  ➜ Skipping stray line: 'administration as well as a case study review of your site’s leadership practices.'
  ➜ Skipping stray line: 'UFC1 - Managerial Accounting - This course focuses on identifying, gathering, and interpreting information that will be used for evaluating and'
  ➜ Skipping stray line: 'managing the performance of a business. Students will also study cost measurement for producing goods and services and how to analyze and'
  ➜ Skipping stray line: 'control these costs.'
  ➜ Skipping stray line: 'UQT1 - Organic Chemistry - This course focuses on the study of compounds that contain carbon, much of which is learning how to organize and'
  ➜ Skipping stray line: 'group these compounds based on common bonds found within them in order to predict their structure, behavior, and reactivity.'
  ➜ Skipping stray line: 'VLT2 - Security Policies and Standards - Best Practices - This course focuses on the practices of planning and implementing organization-wide'
  ➜ Skipping stray line: 'security and assurance initiatives as well as auditing assurance processes.'
  ➜ Skipping stray line: 'VYC1 - Principles of Accounting - Principles of Accounting focuses on ways in which accounting principles are used in business operations.'
  ➜ Skipping stray line: 'Students will learn about the basics of accounting, including how to use Generally Accepted Accounting Principles (GAAP), ledgers, and journals.'
  ➜ Skipping stray line: 'Students will also be introduced to the steps of the accounting cycle, concepts of assets and liabilities, and general information about accounting'
  ➜ Skipping stray line: 'information systems. This course also presents bank reconciliation methods, balance sheets, and business ethics.'
  ➜ Skipping stray line: 'VZT1 - Marketing Applications - Marketing Applications allows students to apply their knowledge of core marketing principles by creating a'
  ➜ Skipping stray line: 'comprehensive marketing plan. Their plan will apply their knowledge of the marketing planning process, market analysis, and the marketing mix'
  ➜ Skipping stray line: '(product, place, promotion, and price).'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 176'
  ➜ Skipping stray line: 'Course Mentor Directory'
  ➜ Skipping stray line: 'General Education'
  ➜ Skipping stray line: 'Adams, William; M.A., Savanah College of Art and Design'
  ➜ Skipping stray line: 'Aguirre, Jennifer; M.S., Walden University'
  ➜ Skipping stray line: 'Akens, Jonne; Ph. D., Texas A&M University'
  ➜ Skipping stray line: 'Alexander, Ledora; Ed.S., Walden University'
  ➜ Skipping stray line: 'Ashe, James; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Barnes, Lauri; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Baty, Amanda; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Benson, Bryan; Ph.D., Boston College'
  ➜ Skipping stray line: 'Bilbrey, Joshua; Ph.D., Texas State University'
  ➜ Skipping stray line: 'Borden, Anne; Ph.D., Emory University'
  ➜ Skipping stray line: 'Brewer, Craig: Ph.D., University of Notre Dame'
  ➜ Skipping stray line: 'Brown, Bonnie; Ph.D., Stephen F. Austin State University'
  ➜ Skipping stray line: 'Browning, Ellen; Ph.D., University of Texas, Arlington'
  ➜ Skipping stray line: 'Buchanan, Tenielle; Ed.D., Lipscomb University'
  ➜ Skipping stray line: 'Byrnes, Sean; Ph.D., Emory University'
  ➜ Skipping stray line: 'Carmona, Karla; M.S., Western Governors University'
  ➜ Skipping stray line: 'Castaneda, Gilivaldo; M.Ed., University of Texas at San Antonio'
  ➜ Skipping stray line: 'Chaves Ulloa, Ramsa; Ph.D., Dartmouth College'
  ➜ Skipping stray line: 'Chittick, Sharla; Ph.D., University of Stirling'
  ➜ Skipping stray line: 'Condit, Lorna; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Cowan, Christy; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Crawford, Nathan; Ph.D., University of Tennessee-Knoxville'
  ➜ Skipping stray line: 'Crooks, Kathleen; Ph.D., University of Akron'
  ➜ Skipping stray line: 'Cross, Cameron; M.S., Kaplan University'
  ➜ Skipping stray line: 'Cureton, Sara; M.A., Gonzaga Univeristy'
  ➜ Skipping stray line: 'Cutler, Ned; Ph.D., Duke University'
  ➜ Skipping stray line: 'Dodge, Joshua; M.A., University of Central Florida'
  ➜ Skipping stray line: 'Dorre, Gina; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Douglas, Katherine; M.A., University of California, San Diego'
  ➜ Skipping stray line: 'Duff, Kandi; Ed.D., Idaho State University'
  ➜ Skipping stray line: 'Dungar, Michael; MA, Boston College'
  ➜ Skipping stray line: 'Edmunds, Jeffrey; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Evans, Robin; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Evenson Newhouse, Ranae; Ph.D., Vanderbilt University'
  ➜ Skipping stray line: 'Faucett, Jessica; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Fehnel, Bradley; M.S., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Fellow, Jill; M.S., Brigham Young University'
  ➜ Skipping stray line: 'Franco, Heidi; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Frusciante, Denise; Ph.D., University of Miami'
  ➜ Skipping stray line: 'Galindez, Dahlia; MA, Western Governors University'
  ➜ Skipping stray line: 'Gangaram, Jitendra; Ph.D., North Central University'
  ➜ Skipping stray line: 'Garrett, Janette; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Goodwin, Rachel; Ph.D., University of Texas'
  ➜ Skipping stray line: 'Gordon, Kelley; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Gravitte, Kristen; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Gradzielewski, Andrew; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Halula, Stephen; Ph.D., Marquette University'
  ➜ Skipping stray line: 'Harris, Steven; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Hartwick, Andromeda; Ph.D., University of Michigan'
  ➜ Skipping stray line: 'Hayne, Victoria; Ph.D., University of California - Los Angeles'
  ➜ Skipping stray line: 'Hernandez, Ali; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Hillyer, Aaron; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Horne, Lisa; M.A., Brigham Young University'
  ➜ Skipping stray line: 'Hurley, Norman; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Jensen, Taylor; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Johnson, Stephanie; MBA, Lindenwood University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 177'
  ➜ Skipping stray line: 'Jones, Lee; Ph.D., Clark Atlanta University'
  ➜ Skipping stray line: 'Kelley, Matthew; Ph.D., University of Nevada-Las Vegas'
  ➜ Skipping stray line: 'Kelly, Lynn; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Knieps, Linda; Ph.D., Vanderbilt University'
  ➜ Skipping stray line: 'Knous, Helen; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Landry, Stan; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Latham, Kary; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Lauren, Jennifer; Ph.D., Duquesne University'
  ➜ Skipping stray line: 'Leep, Matthew; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Lettau, Lisa; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Little, David; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Lukin, Kara; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Main, Daniel; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Mammen, John; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Mantooth, Stacy; Ph. D., University of Nevada – Las Vegas'
  ➜ Skipping stray line: 'Martin, Jonathan; M.A., West Virginia University'
  ➜ Skipping stray line: 'Mays, Ashley; Ph.D., University of North Carolina at Chapel Hill'
  ➜ Skipping stray line: 'McCune, Timothy; Ph.D., Youngstown State University'
  ➜ Skipping stray line: 'McWatters, Mason; Ph.D., University of Texas at Austin'
  ➜ Skipping stray line: 'Metoki, Kiyoko; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Meyer, Nicholas; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Miller, Don; Ph.D., Morehouse School of Medicine'
  ➜ Skipping stray line: 'Miller, Kathleen; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Moody, Vivian; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Mosgrove, Sharon; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Moss, Meg; Ph.D., University of Tennessee-Knoxville'
  ➜ Skipping stray line: 'Mzoughi, Taha; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Nelson, Angela; Ph.D., Cornell University'
  ➜ Skipping stray line: 'Nicley, Erinn; M.S., Florida State University'
  ➜ Skipping stray line: 'Norton, Cindy; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Olson, Nels; Ph.D., Michigan State University'
  ➜ Skipping stray line: 'Oulette, David; Ph.D., Virginia Commonwealth University'
  ➜ Skipping stray line: 'Palmer, Michael; M.F.A., University of Utah'
  ➜ Skipping stray line: 'Pankowski, Peg; Ed.D., Duquesne University'
  ➜ Skipping stray line: 'Parrish, Anca; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Parton, Sabrena; Ph.D., University of Southern Mississippi'
  ➜ Skipping stray line: 'Parvin, Kathleen; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Peppers, Shelitha; Ed.D., Maryville University'
  ➜ Skipping stray line: 'Perkins, Heidi; M.S., Excelsior College'
  ➜ Skipping stray line: 'Phillips, Dedra; M.A., Colorado Technical University'
  ➜ Skipping stray line: 'Potter, Christine; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Quintela, Melissa; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Radosavljevic, Alexander; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Redden, Cameron; MAT, Baldwin Wallace University'
  ➜ Skipping stray line: 'Redkey, Elizabeth; Ph.D., University at Albany, State University of New York'
  ➜ Skipping stray line: 'Remington, Theodore; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Rhodes, Kristofer; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Robinson, Ami; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Robinson, Jeffery; Ph.D., Drew University'
  ➜ Skipping stray line: 'Rosenblatt, Heather; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Rossi, Cynthia; Ph.D., University of Maryland'
  ➜ Skipping stray line: 'Saddler, Derrick; Ph.D., University of South Florida'
  ➜ Skipping stray line: 'Sanchez, Melvin; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Scheg, Abigail; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Scheib, Douglas; Ph.D., University of Miami'
  ➜ Skipping stray line: 'Scotece, Shannon; Ph.D., State University of New York - Albany'
  ➜ Skipping stray line: 'Shahi, Kimberley; Ph.D., University of Texas at Arlington'
  ➜ Skipping stray line: 'Sharpe, Robert; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Shimotsu-Dariol, Stephanie; Ph.D., West Virginia University'
  ➜ Skipping stray line: 'Simeon, Patricia; Ed.D., Grambling State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 178'
  ➜ Skipping stray line: 'Simmons, Nathaniel; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Smith, Tommie; MBA, Middle Tennessee State University'
  ➜ Skipping stray line: 'Springfield, Derriell; Ed.D., East Tennessee State University'
  ➜ Skipping stray line: 'St Martin, Ashley; M.S., University of Vermont'
  ➜ Skipping stray line: 'Stambaugh, Nathaniel; Ph.D., Brandeis University'
  ➜ Skipping stray line: 'Starr, Neil; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Timmer, Kristin; Ph.D., University of Tennessee Health Science Center'
  ➜ Skipping stray line: 'Tolin Schultz, Alexandra; Ph.D., Stony Brook University'
  ➜ Skipping stray line: 'Tucker, Diana; Ph.D., Southern Illinois University Carbondale'
  ➜ Skipping stray line: 'Tweedy, Joanna; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Verber, Jason; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Vida, Anna; M.A., Arizona State University'
  ➜ Skipping stray line: 'Walker, Hope; M.A., The American University'
  ➜ Skipping stray line: 'Weaver, Matthew; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Webb, James; M.A., Pacific University'
  ➜ Skipping stray line: 'Wellinghoff, Lisa; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Westmoreland, Brandi; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Whitson-Whennen, Tonya; M.M., University of Utah'
  ➜ Skipping stray line: 'Woolridge, Mary; Ph.D., University of Central Florida'
  ➜ Skipping stray line: 'Young, Michael; Ph.D., University of Missouri at Saint Louis'
  ➜ Skipping stray line: 'Zasadny, Jill; Ph.D., Kansas University'
  ➜ Skipping stray line: 'Teachers College'
  ➜ Skipping stray line: 'Aafif, Amal; Ph.D., Drexel University'
  ➜ Skipping stray line: 'Affleck, Alisa; M.A., Western Governors University'
  ➜ Skipping stray line: 'Allen, Elizabeth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Aranda, Christina; M.A., University of Utah'
  ➜ Skipping stray line: 'Aufderhaar, Carolyn; Ed.D., University of Cincinnati'
  ➜ Skipping stray line: 'Baxter, Marissa; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Belchik-Moser, Sara; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Betts, Anastasia; Ph.D., Regent University'
  ➜ Skipping stray line: 'Blanks, Dorothy; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Boen, Laurie; Ph.D., University of Arkansas'
  ➜ Skipping stray line: 'Boyd-Bradwell, Natasha; Ph.D., Capella University'
  ➜ Skipping stray line: 'Branan, Daniel; Ph.D., University of Denver'
  ➜ Skipping stray line: 'Branch, Leah; Ed.D., Bethel University'
  ➜ Skipping stray line: 'Brogan, Lynn; Ed.D., Columbia University'
  ➜ Skipping stray line: 'Brooks, Marlaina; Ed.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Calero, Lisa; Ph.D., Capella University'
  ➜ Skipping stray line: 'Carey, Kimberly; Ph.D., Old Dominion University'
  ➜ Skipping stray line: 'Cartwright, Nancy; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'Cohen, Kimberley; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Constanza, Michele; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Covey, Nicole; Ed.D., University of Memphis'
  ➜ Skipping stray line: 'Douglas, Deanna; Ph.D., Wichita State University'
  ➜ Skipping stray line: 'Dove, Teresa; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Dukes, Debra; Ed.D., University of Georgia'
  ➜ Skipping stray line: 'Durakiewicz, Anna; M.S., University of Marie Curie'
  ➜ Skipping stray line: 'Eisenhour, Melanie; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Feng, Suiping; Ph.D., City University of New York'
  ➜ Skipping stray line: 'Fillpot, Elsie; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Flavin, Kathryn; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Flores, Alberto; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Francis, David; M.A., Western Governors University'
  ➜ Skipping stray line: 'Giddens, Evelyn; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gillman, Brenna; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Gray-Dowdy, Audra; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Hall, Robert; Ph.D., Capella University'
  ➜ Skipping stray line: 'Halverson, Colleen; Ph.D., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Harbin, Lesley; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 179'
  ➜ Skipping stray line: 'Hardin, Bridgette; Ed.D., Texas A&M University-Corpus Christi'
  ➜ Skipping stray line: 'Hedman, Shawn; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Henry, Joanna; M.E., Lamar University'
  ➜ Skipping stray line: 'Hernandez, Julie; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Hiebel, Adam; Ed.D., Ohio University'
  ➜ Skipping stray line: 'Hudon-Miller, Sarah; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Hughes, Amy; Ed.D., University of Montana'
  ➜ Skipping stray line: 'Hutson, Tommye; Ed.D., Baylor University'
  ➜ Skipping stray line: 'Igbinoba-Cummings, Monique; Ph.D., Lynn University'
  ➜ Skipping stray line: 'Izumi, Alisa; Ed.D., University of Massachusetts'
  ➜ Skipping stray line: 'Jacobs, Patricia; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Janitzki, Dean; M.A., University of Toledo'
  ➜ Skipping stray line: 'Johnson, Sherri; Ph.D., Capella University'
  ➜ Skipping stray line: 'Jovic, Marko; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Kain, Meri; Ed.D., University of Missouri'
  ➜ Skipping stray line: 'Kelly, Gretchen; Ed.D., Walden University'
  ➜ Skipping stray line: 'Leinbach, William; Ed.D., Oregon State University'
  ➜ Skipping stray line: 'Lindemann, Steven; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Linkenhoker, Dina; Ed.D., Liberty University'
  ➜ Skipping stray line: 'Lipscomb, Pauline; Ed.D., University of the Cumberlands'
  ➜ Skipping stray line: 'Luster, Sandricia; Ed.S., Argosy University'
  ➜ Skipping stray line: 'McCarver, Patricia; Ph.D., California Institute of Integral Studies'
  ➜ Skipping stray line: 'McDaniel, Maryann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'McGrath Hovland, Michelle; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Mendes, John; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Miller, Esther; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Mills, Ginger; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Moore, Tontaleya; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Morgan, Matthew; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Mour, Jennifer; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Murray, Mary; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Obianyo, Obiamaka; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Odom, M. Katherine; Ph.D., University of South Alabama'
  ➜ Skipping stray line: 'O’Malley, Maureen; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Pack, Mamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Parry, Kelly; Ph.D., University of North Texas'
  ➜ Skipping stray line: 'Purnell, Courtney; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Quinn, Lori; M.A.Ed., Prairie View A&M University'
  ➜ Skipping stray line: 'Rahsaz, Jacqueline; M.A., University of California San Diego'
  ➜ Skipping stray line: 'Randonis, Jennifer; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Rawson, Robert; Ph.D., University of Texas Southwestern'
  ➜ Skipping stray line: 'Richen, Damara; Ed.D., Fielding Graduate University'
  ➜ Skipping stray line: 'Robles, Veronica; Ed.D., Arizona State University'
  ➜ Skipping stray line: 'Rogers, Carmelle; Ph.D., Kansas State University'
  ➜ Skipping stray line: 'Russell-Fry, Nancy; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Scales, Rebecca; M.A., Western Governors University'
  ➜ Skipping stray line: 'Schmidt, Stan; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Sepetys, Peggy; Ed.D., University of Michigan'
  ➜ Skipping stray line: 'Shrader, Vincent; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Silver, Jennifer; Ph.D., New York University'
  ➜ Skipping stray line: 'Sims, Rachel; Ed.D., Walden University'
  ➜ Skipping stray line: 'Smith, Janeal; Ph.D., Walden University'
  ➜ Skipping stray line: 'Spencer, Kristin; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Story, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Swenson, Karl; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Thompson, Julie; Ph.D., University of Rochester'
  ➜ Skipping stray line: 'Traub-Metlay, Suzanne; Ph.D., University of Pittsburg'
  ➜ Skipping stray line: 'Tresnak, Robyn; Ph.D., Walden University'
  ➜ Skipping stray line: 'Turner, Carmen; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Vickers, Paul; Ed.D., Stephen F. Austin State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 180'
  ➜ Skipping stray line: 'Walter-Sullivan, Earnestyne; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'Weinstein, Gideon; Ph.D., Indiana University Bloomington'
  ➜ Skipping stray line: 'Whitmire, Jane; Ph.D., University of Montana'
  ➜ Skipping stray line: 'Willey-Rendon, Ruby; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Williams, Lacey; Ed.D., Union Institute and University'
  ➜ Skipping stray line: 'Wisnosky, Marc; Ph.D., University of Pittsburgh'
  ➜ Skipping stray line: 'Yanusheva, Lidiya; Ed.D., Walden University'
  ➜ Skipping stray line: 'Yatherajam, Gayatri; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Zartman, Krista; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Zimmerli, Mandy; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'College of Business'
  ➜ Skipping stray line: 'Abubakari, Nina; J.D., Wayne State University'
  ➜ Skipping stray line: 'Adler, Kathleen; Ph.D., Southern Methodist University'
  ➜ Skipping stray line: 'Alafita, Theresa; Ph.D., George Washington University'
  ➜ Skipping stray line: 'Arenz, Russell; Ph.D., Colorado Technical University'
  ➜ Skipping stray line: 'Argiento, Steven; J.D., Pace University'
  ➜ Skipping stray line: 'Austin, Judy; MBA, Western Governors University'
  ➜ Skipping stray line: 'Baragoshi, Behroz; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Barton, Robert; Ed.S., Utah State University'
  ➜ Skipping stray line: 'Black, Hilda; Ph.D., Louisiana Tech University'
  ➜ Skipping stray line: 'Borch, Casey; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Boysen-Rotelli, Sheila; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Brownstein, Steven; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Carson, Pook; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Cassell, Kenneth; MBA, San Jose State University'
  ➜ Skipping stray line: 'Cherry, Patricia; Ph.D., Capella University'
  ➜ Skipping stray line: 'Clarke, Jeffrey; Ph.D., University of California-Los Angeles'
  ➜ Skipping stray line: 'Connor, Martin; J.D., University of North Dakota'
  ➜ Skipping stray line: 'Davis, Lorretta; Ph.D., Capella University'
  ➜ Skipping stray line: 'Davis, Mary; Ed.D., Central Michigan University'
  ➜ Skipping stray line: 'Doctorman, Lindsey; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Doren, Andrew; D.M., University of Maryland'
  ➜ Skipping stray line: 'Dula, Kimberly; Ph.D., Mercer University'
  ➜ Skipping stray line: 'Duran, Anthony; DBA, Grand Canyon University'
  ➜ Skipping stray line: 'Ennis, Erica; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Etter, Edwin; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Feehery, George; DBA, Nova Southeastern University'
  ➜ Skipping stray line: 'Fisher, Paul; Ph.D., Oregon State University'
  ➜ Skipping stray line: 'Gallo, Merry; DBA, Argosy University'
  ➜ Skipping stray line: 'Garland, Jennifer; DBA, Keiser University'
  ➜ Skipping stray line: 'Geddes, Bruce; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gilyot, Bianca; MBA, Northcentral University'
  ➜ Skipping stray line: 'Giscombe, Hilbert; DBA, Argosy University'
  ➜ Skipping stray line: 'Gough, Gregory; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Green, Maurice; Ph.D., University at Albany – State University of New York'
  ➜ Skipping stray line: 'Gunn, Linda; Ph.D., Union Institute and University'
  ➜ Skipping stray line: 'Havins, Merwin; Ed.D., Northern Arizona University'
  ➜ Skipping stray line: 'Heinzman, Joseph; DM, Colorado Technical University'
  ➜ Skipping stray line: 'Hon, Charles; Ph.D., Capella University'
  ➜ Skipping stray line: 'Hudson, Brandi; J.D., Regent University'
  ➜ Skipping stray line: 'Iannucci, Brian; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Imboden, Paul; DBA., Northcentral University'
  ➜ Skipping stray line: 'Jividen, Jim; J.D., Ohio Northern University'
  ➜ Skipping stray line: 'Jones, Alan; MBA, Dartmouth College'
  ➜ Skipping stray line: 'Justice, Jeanne; DBA, Walden University'
  ➜ Skipping stray line: 'Kale, Mrinalini; Ph.D., Capella University'
  ➜ Skipping stray line: 'Kenny, Timothy; M.S., Regis University'
  ➜ Skipping stray line: 'Kowalski, Christine; Ed.D., National Louis University'
  ➜ Skipping stray line: 'Kushniroff, Melinda; Ed.D., Liberty University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 181'
  ➜ Skipping stray line: 'La Hay, Ann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Lagroue, Harold; Ph.D., Louisiana State University'
  ➜ Skipping stray line: 'Lamer, Maryann; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Langdon, Debra; MBA, Denver University'
  ➜ Skipping stray line: 'Lutter-Cooper, Victoria; Ph.D., Capella University'
  ➜ Skipping stray line: 'Marshall, Mario; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'McClesky, Jamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'McNulty, Peggy; Ph.D., University of Colorado-Colorado Springs'
  ➜ Skipping stray line: 'Melton, Rebecca; Ph.D., Chicago School of Professional Psychology'
  ➜ Skipping stray line: 'Mills, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Moore, Detria; J.D., Liberty University'
  ➜ Skipping stray line: 'Neely, Cecil; MBA, University of North Carolina at Greensboro'
  ➜ Skipping stray line: 'Nelms, Linda; Ph.D., Capella University'
  ➜ Skipping stray line: 'Nelson, Camille; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'O’Brien, Joseph; Ed.D., George Washington University'
  ➜ Skipping stray line: 'Openshaw, Matthew; Ph.D., University of Texas at Dallas'
  ➜ Skipping stray line: 'Parish, Beth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Patterson, Julie; Ph.D., University of Illinois at Urbana-Champaign'
  ➜ Skipping stray line: 'Pawarski, Richard; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Phillips, Patti; J.D., Stetson University'
  ➜ Skipping stray line: 'Pratt, Christopher; DHA, University of Phoenix'
  ➜ Skipping stray line: 'Raimo, Steve; DSL, Regent University'
  ➜ Skipping stray line: 'Richardson, Shay; DBA, Walden University'
  ➜ Skipping stray line: 'Roberts, Tracia; M.S., University of Phoenix'
  ➜ Skipping stray line: 'Roberts, Wade; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Rogers, Katie; MBA, University of Utah'
  ➜ Skipping stray line: 'Sawant, Gauri; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Shah, Rob; MBA, DeVry University'
  ➜ Skipping stray line: 'Shepherd, Tracie; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Skinner, Susan; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Snipes, Dawna; J.D., Western Michigan University'
  ➜ Skipping stray line: 'Souder, Michele; MBA, University of Dayton'
  ➜ Skipping stray line: 'Spicer, Ronald; Ph.D., Capella University'
  ➜ Skipping stray line: 'Stewart, Michelle; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Strickland, Cynthia; Ph.D., Touro University International'
  ➜ Skipping stray line: 'Swarthout, Nanette; MBA, Fontbonne University'
  ➜ Skipping stray line: 'Tapp, Timothy; MHA, Washington University'
  ➜ Skipping stray line: 'Thomas, Melanie; J.D., University of North Carolina'
  ➜ Skipping stray line: 'Venkateswar, Sankaran; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Wachter, Eddie; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Wade, Keith; MBA, University of Detroit'
  ➜ Skipping stray line: 'Walker, Natalie; DBA, Keiser University'
  ➜ Skipping stray line: 'Wang, Xiaofei; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Williams, Pegeen; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Williams, Rian; MPA, University of Utah'
  ➜ Skipping stray line: 'Wood, Carrie; M.S., Strayer University'
  ➜ Skipping stray line: 'College of Information Technology'
  ➜ Skipping stray line: 'Al-Husaam, Abdul; Ph.D., Capella University'
  ➜ Skipping stray line: 'Alberici, Mary; Ph.D., University of Missouri-St. Louis'
  ➜ Skipping stray line: 'Allen, Candice; M.A., Capella University'
  ➜ Skipping stray line: 'Antonucci, Amy; M.S., University of Delaware'
  ➜ Skipping stray line: 'Banerjee, Pubali; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'Beverley, Charles; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Blanson, Constance; Ph.D., Capella University'
  ➜ Skipping stray line: 'Bojonny, John; M.S., Marywood University'
  ➜ Skipping stray line: 'Borsum, Pamela; MBA, Western Governors University'
  ➜ Skipping stray line: 'Campbell, Wendy; DBA, Northcentral University'
  ➜ Skipping stray line: 'Carter, Betty; M.S., Troy University'
  ➜ Skipping stray line: 'Cobbs, Dana; M.S., College of William and Mary'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 182'
  ➜ Skipping stray line: 'Cook, Henry; M.S., Clark Atlanta University'
  ➜ Skipping stray line: 'Crawford, Demetria; M.S., Boston University'
  ➜ Skipping stray line: 'Dupree, Yolanda; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Farmer, Jaynee; M.A., University of Arkansas at Little Rock'
  ➜ Skipping stray line: 'Ferdinand, Jeff; M.S., Trident University International'
  ➜ Skipping stray line: 'Gardner, Diana; MBA, Western Governors University'
  ➜ Skipping stray line: 'Garza, Brian; M.S., Western Governors University'
  ➜ Skipping stray line: 'Goodwin, Orenthio; Ph.D., Capella University'
  ➜ Skipping stray line: 'Heiner, Jenny; M.S., Capitol College'
  ➜ Skipping stray line: 'Huff, David; Ph.D., Wayne State University'
  ➜ Skipping stray line: 'Jensen, Bryan; M.S., Bellvue University'
  ➜ Skipping stray line: 'Kercher, Paul; M.S., Missouri University of Science and Technology'
  ➜ Skipping stray line: 'LaMolinare, Deana; M.S., Duquesne University'
  ➜ Skipping stray line: 'Lang, Cythia; MSCHe, University of Maryland'
  ➜ Skipping stray line: 'Lavieri, Edward; DCS, Colorado Technical University'
  ➜ Skipping stray line: 'Light, Gerri; M.S., Walden University'
  ➜ Skipping stray line: 'Lively, Charles; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'McFarlane, Michele; M.S., DeVry University'
  ➜ Skipping stray line: 'McLaughlin, Mike; M.S., University of Maine'
  ➜ Skipping stray line: 'Mendell, Ronald; M.S., Capitol College'
  ➜ Skipping stray line: 'Milham, Thomas; MNCM, DeVry University'
  ➜ Skipping stray line: 'Moore, Ronald; M.A., Troy University'
  ➜ Skipping stray line: 'Morrill, Ralph; Ph.D., North Central University'
  ➜ Skipping stray line: 'Ntinglet-Davis, Emelda; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Ozmer, Connie; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Paddock, Charles; Ph.D., University of Houston'
  ➜ Skipping stray line: 'Peterson, Michael; Ph.D., Capella University'
  ➜ Skipping stray line: 'Pinaire, Ken; MBA, University of Texas at Dallas'
  ➜ Skipping stray line: 'Rawlinson, David; J.D., South Texas College of Law'
  ➜ Skipping stray line: 'Schaefer, Brett; MBA, DeVry University'
  ➜ Skipping stray line: 'Shenk, Maria; M.S., City University of Seattle'
  ➜ Skipping stray line: 'Scutro, Rebecca; M.S., Saint Joseph’s University'
  ➜ Skipping stray line: 'Sewell, William; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Sher-DeCusatis, Carolyn; M.A., State University of New York at Stony Brook'
  ➜ Skipping stray line: 'Shields, Jessica; MFA, Savannah College of Art and Design'
  ➜ Skipping stray line: 'Sistelos, Antonio; Ph.D., Indiana State University'
  ➜ Skipping stray line: 'Stromberg, Scott; M.S., Nova Southeastern University'
  ➜ Skipping stray line: 'Swanson, Tom; Ph.D., Capella University'
  ➜ Skipping stray line: 'Taylor, Julinda; M.S., Wichita State University'
  ➜ Skipping stray line: 'Travis, Susan; M.A., University of Phoenix'
  ➜ Skipping stray line: 'College of Health Professions'
  ➜ Skipping stray line: 'Abdur-Rahman, Veronica; Ph.D., Texas Woman’s University'
  ➜ Skipping stray line: 'Abee, Debra; M.S., University of North Carolina Greensboro'
  ➜ Skipping stray line: 'Abraham, Gail; MSN/ED, University of Phoenix'
  ➜ Skipping stray line: 'Adams, Lora; M.S., Michigan State University'
  ➜ Skipping stray line: 'Adkins, Dee; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Allen, Juanita; DNP, University of Utah'
  ➜ Skipping stray line: 'Ashby, Shelley; DNP, University of Southern Indiana'
  ➜ Skipping stray line: 'Austgen, Donna; M.S., University of Indianapolis'
  ➜ Skipping stray line: 'Barber, Kendar; M.S., Indiana University'
  ➜ Skipping stray line: 'Battle, Linda; DNP, Regis College'
  ➜ Skipping stray line: 'Benoit, Heidi; M.S., Western Governors University'
  ➜ Skipping stray line: 'Benson, Johnett; DNP, Kent State University'
  ➜ Skipping stray line: 'Bergfeld, Marcia; M.S., Lourdes College'
  ➜ Skipping stray line: 'Berndt, Janeen; DNP, Valparaiso University'
  ➜ Skipping stray line: 'Blaine, Stephanie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Cain, Lyn; Ph.D., Grand Canyon University'
  ➜ Skipping stray line: 'Carney, Mary; DNP, Touro University – Nevada'
  ➜ Skipping stray line: 'Chau-Nguyen, Thao; MPH, Tulane University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 183'
  ➜ Skipping stray line: 'Cleveland, Melissa; DNP, Rocky Mountain University'
  ➜ Skipping stray line: 'Cloonan, Kelly; DNP, Case Western Reserve'
  ➜ Skipping stray line: 'Dahdal, Kimberly; M.S., Western Governors University'
  ➜ Skipping stray line: 'Dantzler, Barbara; Ph.D., Trident University'
  ➜ Skipping stray line: 'Diaz, Constance; Ph.D., University of Northern Colorado'
  ➜ Skipping stray line: 'Diaz, Lorna; DNP, Western University of Health Sciences'
  ➜ Skipping stray line: 'Dorin, Michelle; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Dush, Curtis; M.S., East Tennessee State University'
  ➜ Skipping stray line: 'Elmer, Justine; M.S., Kaplan University'
  ➜ Skipping stray line: 'Englert, Mary; DNP, University of North Florida'
  ➜ Skipping stray line: 'Feather, Rebecca; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Frankie, Sandra; M.S., Western Governors University'
  ➜ Skipping stray line: 'Gabel, Ann; M.S., University of Kansas'
  ➜ Skipping stray line: 'Gayol, Marcos; M.S., Aspen University'
  ➜ Skipping stray line: 'Giaquinto, Elisa; M.A., Brown University'
  ➜ Skipping stray line: 'Gogatz, Debra; DNP, Regis University'
  ➜ Skipping stray line: 'Golden, Christina; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Gottesfeld, Ilene; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Gwyn, Elizabeth; M.S., Winston Salem State University'
  ➜ Skipping stray line: 'Hadsell, Christine; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Hansen, Julie; Ph.D., South Dakota State University'
  ➜ Skipping stray line: 'Hartley-Clanton, Patricia; M.S., University of Utah'
  ➜ Skipping stray line: 'Hawkins, Shannon; M.S., Walden University'
  ➜ Skipping stray line: 'Heyer-Schmidt, Theres-Anne; ND, University of Colorado-Denver'
  ➜ Skipping stray line: 'Hill, Dana; Ph.D., Walden University'
  ➜ Skipping stray line: 'Hunt, Eleanor; M.S., Duke University'
  ➜ Skipping stray line: 'Johnson-Anderson, Heidi; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Kangas, Sandra; Ph.D., Georgia State University'
  ➜ Skipping stray line: 'Kogan, Lisa; M.S., Western Governors University'
  ➜ Skipping stray line: 'Langer Atkinson, Heidi; Ph.D., University of Albany'
  ➜ Skipping stray line: 'Lashlee, Marilyn; DNP, Northeastern University'
  ➜ Skipping stray line: 'Long, Jennifer; M.S., Indiana University'
  ➜ Skipping stray line: 'Marshall, Janet; Ph.D., Rush University'
  ➜ Title candidate: 'Masterson, Debra; Ed.D., Liberty University'
  ✔️ Collected description (40 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 6073: 'C716 - Business Communication - Business Communication is a survey course of communication skills needed in the business environment.'

🔍 parse_program: starting at line 6073: 'C716 - Business Communication - Business Communication is a survey course of communication skills needed in the business environment.'
  ➜ Title candidate: 'C716 - Business Communication - Business Communication is a survey course of communication skills needed in the business environment.'
  ❌ Invalid title line: 'C716 - Business Communication - Business Communication is a survey course of communication skills needed in the business environment.'
  ➜ Parsing at 6074: 'Course content includes writing messages, reports, and résumés and delivering oral presentations. The course emphasizes communication'

🔍 parse_program: starting at line 6074: 'Course content includes writing messages, reports, and résumés and delivering oral presentations. The course emphasizes communication'
  ➜ Title candidate: 'Course content includes writing messages, reports, and résumés and delivering oral presentations. The course emphasizes communication'
  ❌ Invalid title line: 'Course content includes writing messages, reports, and résumés and delivering oral presentations. The course emphasizes communication'
  ➜ Parsing at 6075: 'processes, writing skills, message types, and presentation of data. The development of these skills is integrated with the use of technology.'

🔍 parse_program: starting at line 6075: 'processes, writing skills, message types, and presentation of data. The development of these skills is integrated with the use of technology.'
  ➜ Title candidate: 'processes, writing skills, message types, and presentation of data. The development of these skills is integrated with the use of technology.'
  ❌ Invalid title line: 'processes, writing skills, message types, and presentation of data. The development of these skills is integrated with the use of technology.'
  ➜ Parsing at 6076: 'C717 - Business Ethics - Business Ethics is designed to enable students to identify the ethical and socially responsible courses of actions available'

🔍 parse_program: starting at line 6076: 'C717 - Business Ethics - Business Ethics is designed to enable students to identify the ethical and socially responsible courses of actions available'
  ➜ Title candidate: 'C717 - Business Ethics - Business Ethics is designed to enable students to identify the ethical and socially responsible courses of actions available'
  ❌ Invalid title line: 'C717 - Business Ethics - Business Ethics is designed to enable students to identify the ethical and socially responsible courses of actions available'
  ➜ Parsing at 6077: 'through the exploration of various scenarios in business. Students will also learn to develop appropriate ethics guidelines for a business. This course'

🔍 parse_program: starting at line 6077: 'through the exploration of various scenarios in business. Students will also learn to develop appropriate ethics guidelines for a business. This course'
  ➜ Title candidate: 'through the exploration of various scenarios in business. Students will also learn to develop appropriate ethics guidelines for a business. This course'
  ❌ Invalid title line: 'through the exploration of various scenarios in business. Students will also learn to develop appropriate ethics guidelines for a business. This course'
  ➜ Parsing at 6078: 'has no prerequisites.'

🔍 parse_program: starting at line 6078: 'has no prerequisites.'
  ➜ Title candidate: 'has no prerequisites.'
  ❌ Invalid title line: 'has no prerequisites.'
  ➜ Parsing at 6079: 'C718 - Microeconomics - Microeconomics introduces you to foundational economic concepts. You will learn how households maximize utility and'

🔍 parse_program: starting at line 6079: 'C718 - Microeconomics - Microeconomics introduces you to foundational economic concepts. You will learn how households maximize utility and'
  ➜ Title candidate: 'C718 - Microeconomics - Microeconomics introduces you to foundational economic concepts. You will learn how households maximize utility and'
  ❌ Invalid title line: 'C718 - Microeconomics - Microeconomics introduces you to foundational economic concepts. You will learn how households maximize utility and'
  ➜ Parsing at 6080: 'firms maximize profit in order to allocate their scarce resources. Upon completion of this course, you will be able to explain opportunity costs, the'

🔍 parse_program: starting at line 6080: 'firms maximize profit in order to allocate their scarce resources. Upon completion of this course, you will be able to explain opportunity costs, the'
  ➜ Title candidate: 'firms maximize profit in order to allocate their scarce resources. Upon completion of this course, you will be able to explain opportunity costs, the'
  ❌ Invalid title line: 'firms maximize profit in order to allocate their scarce resources. Upon completion of this course, you will be able to explain opportunity costs, the'
  ➜ Parsing at 6081: 'importance of competition, and how demand and supply work to determine equilibrium price and quantity in perfectly competitive markets and under'

🔍 parse_program: starting at line 6081: 'importance of competition, and how demand and supply work to determine equilibrium price and quantity in perfectly competitive markets and under'
  ➜ Title candidate: 'importance of competition, and how demand and supply work to determine equilibrium price and quantity in perfectly competitive markets and under'
  ❌ Invalid title line: 'importance of competition, and how demand and supply work to determine equilibrium price and quantity in perfectly competitive markets and under'
  ➜ Parsing at 6082: 'monopolistic competition, oligopoly, and monopoly.'

🔍 parse_program: starting at line 6082: 'monopolistic competition, oligopoly, and monopoly.'
  ➜ Title candidate: 'monopolistic competition, oligopoly, and monopoly.'
  ❌ Invalid title line: 'monopolistic competition, oligopoly, and monopoly.'
  ➜ Parsing at 6083: 'C719 - Macroeconomics - Macroeconomics provides you with an in-depth overview of the economy as a whole. The course covers market structure,'

🔍 parse_program: starting at line 6083: 'C719 - Macroeconomics - Macroeconomics provides you with an in-depth overview of the economy as a whole. The course covers market structure,'
  ➜ Title candidate: 'C719 - Macroeconomics - Macroeconomics provides you with an in-depth overview of the economy as a whole. The course covers market structure,'
  ❌ Invalid title line: 'C719 - Macroeconomics - Macroeconomics provides you with an in-depth overview of the economy as a whole. The course covers market structure,'
  ➜ Parsing at 6084: 'essential models, theories, and policies that affect international and domestic economic systems. You will learn how the economy operates and how'

🔍 parse_program: starting at line 6084: 'essential models, theories, and policies that affect international and domestic economic systems. You will learn how the economy operates and how'
  ➜ Title candidate: 'essential models, theories, and policies that affect international and domestic economic systems. You will learn how the economy operates and how'
  ❌ Invalid title line: 'essential models, theories, and policies that affect international and domestic economic systems. You will learn how the economy operates and how'
  ➜ Parsing at 6085: 'society manages its costs, benefits, and trade-offs when allocating scarce resources through market demand and supply. Other topics include how'

🔍 parse_program: starting at line 6085: 'society manages its costs, benefits, and trade-offs when allocating scarce resources through market demand and supply. Other topics include how'
  ➜ Title candidate: 'society manages its costs, benefits, and trade-offs when allocating scarce resources through market demand and supply. Other topics include how'
  ❌ Invalid title line: 'society manages its costs, benefits, and trade-offs when allocating scarce resources through market demand and supply. Other topics include how'
  ➜ Parsing at 6086: 'output and growth in the economy are measured with GDP and how the government and Federal Reserve influence growth, unemployment, and'

🔍 parse_program: starting at line 6086: 'output and growth in the economy are measured with GDP and how the government and Federal Reserve influence growth, unemployment, and'
  ➜ Title candidate: 'output and growth in the economy are measured with GDP and how the government and Federal Reserve influence growth, unemployment, and'
  ❌ Invalid title line: 'output and growth in the economy are measured with GDP and how the government and Federal Reserve influence growth, unemployment, and'
  ➜ Parsing at 6087: 'inflation through fiscal and monetary policy.'

🔍 parse_program: starting at line 6087: 'inflation through fiscal and monetary policy.'
  ➜ Title candidate: 'inflation through fiscal and monetary policy.'
  ❌ Invalid title line: 'inflation through fiscal and monetary policy.'
  ➜ Parsing at 6088: 'C720 - Operations and Supply Chain Management - Operations and Supply Chain Management provides a streamlined introduction to how'

🔍 parse_program: starting at line 6088: 'C720 - Operations and Supply Chain Management - Operations and Supply Chain Management provides a streamlined introduction to how'
  ➜ Title candidate: 'C720 - Operations and Supply Chain Management - Operations and Supply Chain Management provides a streamlined introduction to how'
  ❌ Invalid title line: 'C720 - Operations and Supply Chain Management - Operations and Supply Chain Management provides a streamlined introduction to how'
  ➜ Parsing at 6089: 'organizations efficiently produce goods and services, determine supply chain management strategies, and measure performance. Emphasis is placed'

🔍 parse_program: starting at line 6089: 'organizations efficiently produce goods and services, determine supply chain management strategies, and measure performance. Emphasis is placed'
  ➜ Title candidate: 'organizations efficiently produce goods and services, determine supply chain management strategies, and measure performance. Emphasis is placed'
  ❌ Invalid title line: 'organizations efficiently produce goods and services, determine supply chain management strategies, and measure performance. Emphasis is placed'
  ➜ Parsing at 6090: 'on integrative topics essential for managers in all disciplines, such as supply chain management, product development, and capacity planning. You'

🔍 parse_program: starting at line 6090: 'on integrative topics essential for managers in all disciplines, such as supply chain management, product development, and capacity planning. You'
  ➜ Title candidate: 'on integrative topics essential for managers in all disciplines, such as supply chain management, product development, and capacity planning. You'
  ❌ Invalid title line: 'on integrative topics essential for managers in all disciplines, such as supply chain management, product development, and capacity planning. You'
  ➜ Parsing at 6091: 'will learn how to analyze processes, manage quality for both services and products, and measure performance, while creating value along the supply'

🔍 parse_program: starting at line 6091: 'will learn how to analyze processes, manage quality for both services and products, and measure performance, while creating value along the supply'
  ➜ Title candidate: 'will learn how to analyze processes, manage quality for both services and products, and measure performance, while creating value along the supply'
  ❌ Invalid title line: 'will learn how to analyze processes, manage quality for both services and products, and measure performance, while creating value along the supply'
  ➜ Parsing at 6092: 'chain in a global environment. Topics include forecasting, product and service design, process design and location analysis, capacity planning,'

🔍 parse_program: starting at line 6092: 'chain in a global environment. Topics include forecasting, product and service design, process design and location analysis, capacity planning,'
  ➜ Title candidate: 'chain in a global environment. Topics include forecasting, product and service design, process design and location analysis, capacity planning,'
  ❌ Invalid title line: 'chain in a global environment. Topics include forecasting, product and service design, process design and location analysis, capacity planning,'
  ➜ Parsing at 6093: 'management of quality and quality control, inventory management, scheduling, supply chain management, and performance measurement.'

🔍 parse_program: starting at line 6093: 'management of quality and quality control, inventory management, scheduling, supply chain management, and performance measurement.'
  ➜ Title candidate: 'management of quality and quality control, inventory management, scheduling, supply chain management, and performance measurement.'
  ❌ Invalid title line: 'management of quality and quality control, inventory management, scheduling, supply chain management, and performance measurement.'
  ➜ Parsing at 6094: 'C721 - Change Management - Change Management provides an understanding of change and an overview of successfully managing change using'

🔍 parse_program: starting at line 6094: 'C721 - Change Management - Change Management provides an understanding of change and an overview of successfully managing change using'
  ➜ Title candidate: 'C721 - Change Management - Change Management provides an understanding of change and an overview of successfully managing change using'
  ❌ Invalid title line: 'C721 - Change Management - Change Management provides an understanding of change and an overview of successfully managing change using'
  ➜ Parsing at 6095: 'various methods and tools. Emphasizing change theories and various best practices, you will learn how to recognize and implement change using an'

🔍 parse_program: starting at line 6095: 'various methods and tools. Emphasizing change theories and various best practices, you will learn how to recognize and implement change using an'
  ➜ Title candidate: 'various methods and tools. Emphasizing change theories and various best practices, you will learn how to recognize and implement change using an'
  ❌ Invalid title line: 'various methods and tools. Emphasizing change theories and various best practices, you will learn how to recognize and implement change using an'
  ➜ Parsing at 6096: 'array of other effective strategies, including those related to innovation and leadership. Other topics include approaches to change, diagnosing and'

🔍 parse_program: starting at line 6096: 'array of other effective strategies, including those related to innovation and leadership. Other topics include approaches to change, diagnosing and'
  ➜ Title candidate: 'array of other effective strategies, including those related to innovation and leadership. Other topics include approaches to change, diagnosing and'
  ❌ Invalid title line: 'array of other effective strategies, including those related to innovation and leadership. Other topics include approaches to change, diagnosing and'
  ➜ Parsing at 6097: 'planning for change, implementing change, and sustaining change.'

🔍 parse_program: starting at line 6097: 'planning for change, implementing change, and sustaining change.'
  ➜ Title candidate: 'planning for change, implementing change, and sustaining change.'
  ❌ Invalid title line: 'planning for change, implementing change, and sustaining change.'
  ➜ Parsing at 6098: 'C722 - Project Management - Project Management prepares you to manage projects from start to finish within any organizational structure. The'

🔍 parse_program: starting at line 6098: 'C722 - Project Management - Project Management prepares you to manage projects from start to finish within any organizational structure. The'
  ➜ Title candidate: 'C722 - Project Management - Project Management prepares you to manage projects from start to finish within any organizational structure. The'
  ❌ Invalid title line: 'C722 - Project Management - Project Management prepares you to manage projects from start to finish within any organizational structure. The'
  ➜ Parsing at 6099: 'course presents a view into different project-management methods and delves into topics such as project profiling and phases, constraints, building'

🔍 parse_program: starting at line 6099: 'course presents a view into different project-management methods and delves into topics such as project profiling and phases, constraints, building'
  ➜ Title candidate: 'course presents a view into different project-management methods and delves into topics such as project profiling and phases, constraints, building'
  ❌ Invalid title line: 'course presents a view into different project-management methods and delves into topics such as project profiling and phases, constraints, building'
  ➜ Parsing at 6100: 'the project team, scheduling, and risk. You will be able to grasp the full scope of projects you may work on in the future, and apply the proper'

🔍 parse_program: starting at line 6100: 'the project team, scheduling, and risk. You will be able to grasp the full scope of projects you may work on in the future, and apply the proper'
  ➜ Title candidate: 'the project team, scheduling, and risk. You will be able to grasp the full scope of projects you may work on in the future, and apply the proper'
  ❌ Invalid title line: 'the project team, scheduling, and risk. You will be able to grasp the full scope of projects you may work on in the future, and apply the proper'
  ➜ Parsing at 6101: 'management approaches to complete a project. The course features practice in each of the project phases as you learn how to strategically apply'

🔍 parse_program: starting at line 6101: 'management approaches to complete a project. The course features practice in each of the project phases as you learn how to strategically apply'
  ➜ Title candidate: 'management approaches to complete a project. The course features practice in each of the project phases as you learn how to strategically apply'
  ❌ Invalid title line: 'management approaches to complete a project. The course features practice in each of the project phases as you learn how to strategically apply'
  ➜ Parsing at 6102: 'project-management tools and techniques to help organizations achieve their goals.'

🔍 parse_program: starting at line 6102: 'project-management tools and techniques to help organizations achieve their goals.'
  ➜ Title candidate: 'project-management tools and techniques to help organizations achieve their goals.'
  ❌ Invalid title line: 'project-management tools and techniques to help organizations achieve their goals.'
  ➜ Parsing at 6103: 'C723 - Quantitative Analysis For Business - Quantitative Analysis for Business explores various decision-making models, including expected value'

🔍 parse_program: starting at line 6103: 'C723 - Quantitative Analysis For Business - Quantitative Analysis for Business explores various decision-making models, including expected value'
  ➜ Title candidate: 'C723 - Quantitative Analysis For Business - Quantitative Analysis for Business explores various decision-making models, including expected value'
  ❌ Invalid title line: 'C723 - Quantitative Analysis For Business - Quantitative Analysis for Business explores various decision-making models, including expected value'
  ➜ Parsing at 6104: 'models, linear programming models, and inventory models. You will learn to analyze data by using a variety of analytic tools and techniques to make'

🔍 parse_program: starting at line 6104: 'models, linear programming models, and inventory models. You will learn to analyze data by using a variety of analytic tools and techniques to make'
  ➜ Title candidate: 'models, linear programming models, and inventory models. You will learn to analyze data by using a variety of analytic tools and techniques to make'
  ❌ Invalid title line: 'models, linear programming models, and inventory models. You will learn to analyze data by using a variety of analytic tools and techniques to make'
  ➜ Parsing at 6105: 'better business decisions. In addition, you will develop project schedules using the Critical Path Method. Other topics include calculating and'

🔍 parse_program: starting at line 6105: 'better business decisions. In addition, you will develop project schedules using the Critical Path Method. Other topics include calculating and'
  ➜ Title candidate: 'better business decisions. In addition, you will develop project schedules using the Critical Path Method. Other topics include calculating and'
  ❌ Invalid title line: 'better business decisions. In addition, you will develop project schedules using the Critical Path Method. Other topics include calculating and'
  ➜ Parsing at 6106: 'evaluating formulas, measures of uncertainty, crash costs, and visual representation of decision-making models using electronic spreadsheets and'

🔍 parse_program: starting at line 6106: 'evaluating formulas, measures of uncertainty, crash costs, and visual representation of decision-making models using electronic spreadsheets and'
  ➜ Title candidate: 'evaluating formulas, measures of uncertainty, crash costs, and visual representation of decision-making models using electronic spreadsheets and'
  ❌ Invalid title line: 'evaluating formulas, measures of uncertainty, crash costs, and visual representation of decision-making models using electronic spreadsheets and'
  ➜ Parsing at 6107: 'graphs. This course has no prerequisites.'

🔍 parse_program: starting at line 6107: 'graphs. This course has no prerequisites.'
  ➜ Title candidate: 'graphs. This course has no prerequisites.'
  ❌ Invalid title line: 'graphs. This course has no prerequisites.'
  ➜ Parsing at 6108: 'C724 - Information Systems Management - This course provides an overview of many facets of information systems applicable to business. The'

🔍 parse_program: starting at line 6108: 'C724 - Information Systems Management - This course provides an overview of many facets of information systems applicable to business. The'
  ➜ Title candidate: 'C724 - Information Systems Management - This course provides an overview of many facets of information systems applicable to business. The'
  ❌ Invalid title line: 'C724 - Information Systems Management - This course provides an overview of many facets of information systems applicable to business. The'
  ➜ Parsing at 6109: 'course explores the importance of viewing information technology (IT) as an organizational resource that must be managed, so that it supports or'

🔍 parse_program: starting at line 6109: 'course explores the importance of viewing information technology (IT) as an organizational resource that must be managed, so that it supports or'
  ➜ Title candidate: 'course explores the importance of viewing information technology (IT) as an organizational resource that must be managed, so that it supports or'
  ❌ Invalid title line: 'course explores the importance of viewing information technology (IT) as an organizational resource that must be managed, so that it supports or'
  ➜ Parsing at 6110: 'enables organizational strategy. Topics: The 7 competencies covered in the course include the primary processes involved in system development'

🔍 parse_program: starting at line 6110: 'enables organizational strategy. Topics: The 7 competencies covered in the course include the primary processes involved in system development'
  ➜ Title candidate: 'enables organizational strategy. Topics: The 7 competencies covered in the course include the primary processes involved in system development'
  ❌ Invalid title line: 'enables organizational strategy. Topics: The 7 competencies covered in the course include the primary processes involved in system development'
  ➜ Parsing at 6111: '(i.e., analysis, design, and implementation), networks, database resource management, hardware and software, e-commerce and social media, IS'

🔍 parse_program: starting at line 6111: '(i.e., analysis, design, and implementation), networks, database resource management, hardware and software, e-commerce and social media, IS'
  ➜ Title candidate: '(i.e., analysis, design, and implementation), networks, database resource management, hardware and software, e-commerce and social media, IS'
  ❌ Invalid title line: '(i.e., analysis, design, and implementation), networks, database resource management, hardware and software, e-commerce and social media, IS'
  ➜ Parsing at 6112: 'security and ethics, and mobile vs. desktop computing. Students will learn how e-commerce, decision support, and communication are securely'

🔍 parse_program: starting at line 6112: 'security and ethics, and mobile vs. desktop computing. Students will learn how e-commerce, decision support, and communication are securely'
  ➜ Title candidate: 'security and ethics, and mobile vs. desktop computing. Students will learn how e-commerce, decision support, and communication are securely'
  ❌ Invalid title line: 'security and ethics, and mobile vs. desktop computing. Students will learn how e-commerce, decision support, and communication are securely'
  ➜ Parsing at 6113: 'facilitated in a global marketplace. The course also explores current and continuously evolving technologies, strategic thinking, and big-picture issues'

🔍 parse_program: starting at line 6113: 'facilitated in a global marketplace. The course also explores current and continuously evolving technologies, strategic thinking, and big-picture issues'
  ➜ Title candidate: 'facilitated in a global marketplace. The course also explores current and continuously evolving technologies, strategic thinking, and big-picture issues'
  ❌ Invalid title line: 'facilitated in a global marketplace. The course also explores current and continuously evolving technologies, strategic thinking, and big-picture issues'
  ➜ Parsing at 6114: 'at the intersection of management and technology.'

🔍 parse_program: starting at line 6114: 'at the intersection of management and technology.'
  ➜ Title candidate: 'at the intersection of management and technology.'
  ❌ Invalid title line: 'at the intersection of management and technology.'
  ➜ Parsing at 6115: 'C728 - Secondary Disciplinary Literacy - Secondary Disciplinary Literacy examines teaching strategies designed to help learners in grades 5-12'

🔍 parse_program: starting at line 6115: 'C728 - Secondary Disciplinary Literacy - Secondary Disciplinary Literacy examines teaching strategies designed to help learners in grades 5-12'
  ➜ Title candidate: 'C728 - Secondary Disciplinary Literacy - Secondary Disciplinary Literacy examines teaching strategies designed to help learners in grades 5-12'
  ❌ Invalid title line: 'C728 - Secondary Disciplinary Literacy - Secondary Disciplinary Literacy examines teaching strategies designed to help learners in grades 5-12'
  ➜ Parsing at 6116: 'improve upon the literacy skills required to read, write, and think critically while engaging content in different academic disciplines. Themes include'

🔍 parse_program: starting at line 6116: 'improve upon the literacy skills required to read, write, and think critically while engaging content in different academic disciplines. Themes include'
  ➜ Title candidate: 'improve upon the literacy skills required to read, write, and think critically while engaging content in different academic disciplines. Themes include'
  ❌ Invalid title line: 'improve upon the literacy skills required to read, write, and think critically while engaging content in different academic disciplines. Themes include'
  ➜ Parsing at 6117: 'exploring how language structures, text features, vocabulary, and context influence reading comprehension across the curriculum. Course content'

🔍 parse_program: starting at line 6117: 'exploring how language structures, text features, vocabulary, and context influence reading comprehension across the curriculum. Course content'
  ➜ Title candidate: 'exploring how language structures, text features, vocabulary, and context influence reading comprehension across the curriculum. Course content'
  ❌ Invalid title line: 'exploring how language structures, text features, vocabulary, and context influence reading comprehension across the curriculum. Course content'
  ➜ Parsing at 6118: 'highlights strategies and tools designed to help teachers assess the reading comprehension and writing proficiency of learners and provides strategies'

🔍 parse_program: starting at line 6118: 'highlights strategies and tools designed to help teachers assess the reading comprehension and writing proficiency of learners and provides strategies'
  ➜ Title candidate: 'highlights strategies and tools designed to help teachers assess the reading comprehension and writing proficiency of learners and provides strategies'
  ❌ Invalid title line: 'highlights strategies and tools designed to help teachers assess the reading comprehension and writing proficiency of learners and provides strategies'
  ➜ Parsing at 6119: 'to support students' reading and writing success in all curriculum areas. This course has no prerequisites.'

🔍 parse_program: starting at line 6119: 'to support students' reading and writing success in all curriculum areas. This course has no prerequisites.'
  ➜ Title candidate: 'to support students' reading and writing success in all curriculum areas. This course has no prerequisites.'
  ❌ Invalid title line: 'to support students' reading and writing success in all curriculum areas. This course has no prerequisites.'
  ➜ Parsing at 6120: 'C730 - Secondary Reading Instruction and Interventions - Secondary Reading Instruction and Intervention explores the comprehensive, student-'

🔍 parse_program: starting at line 6120: 'C730 - Secondary Reading Instruction and Interventions - Secondary Reading Instruction and Intervention explores the comprehensive, student-'
  ➜ Title candidate: 'C730 - Secondary Reading Instruction and Interventions - Secondary Reading Instruction and Intervention explores the comprehensive, student-'
  ❌ Invalid title line: 'C730 - Secondary Reading Instruction and Interventions - Secondary Reading Instruction and Intervention explores the comprehensive, student-'
  ➜ Parsing at 6121: 'centered Response to Intervention (RTI) assessment and intervention model used to identify and address the needs of learners in grades 5–12 who'

🔍 parse_program: starting at line 6121: 'centered Response to Intervention (RTI) assessment and intervention model used to identify and address the needs of learners in grades 5–12 who'
  ➜ Title candidate: 'centered Response to Intervention (RTI) assessment and intervention model used to identify and address the needs of learners in grades 5–12 who'
  ❌ Invalid title line: 'centered Response to Intervention (RTI) assessment and intervention model used to identify and address the needs of learners in grades 5–12 who'
  ➜ Parsing at 6122: 'struggle with reading comprehension and/or information retention. Course content provides educators with effective strategies designed to scaffold'

🔍 parse_program: starting at line 6122: 'struggle with reading comprehension and/or information retention. Course content provides educators with effective strategies designed to scaffold'
  ➜ Title candidate: 'struggle with reading comprehension and/or information retention. Course content provides educators with effective strategies designed to scaffold'
  ❌ Invalid title line: 'struggle with reading comprehension and/or information retention. Course content provides educators with effective strategies designed to scaffold'
  ➜ Parsing at 6123: 'instruction and help learners develop increased skill in the following areas: reading, vocabulary, text structures and genres, and logical reasoning'

🔍 parse_program: starting at line 6123: 'instruction and help learners develop increased skill in the following areas: reading, vocabulary, text structures and genres, and logical reasoning'
  ➜ Title candidate: 'instruction and help learners develop increased skill in the following areas: reading, vocabulary, text structures and genres, and logical reasoning'
  ❌ Invalid title line: 'instruction and help learners develop increased skill in the following areas: reading, vocabulary, text structures and genres, and logical reasoning'
  ➜ Parsing at 6124: 'related to the academic disciplines. This course has no prerequisites.'

🔍 parse_program: starting at line 6124: 'related to the academic disciplines. This course has no prerequisites.'
  ➜ Title candidate: 'related to the academic disciplines. This course has no prerequisites.'
  ❌ Invalid title line: 'related to the academic disciplines. This course has no prerequisites.'
  ➜ Parsing at 6125: 'C732 - Elementary Disciplinary Literacy - Elementary Disciplinary Literacy examines teaching strategies designed to help learners in grades K–6'

🔍 parse_program: starting at line 6125: 'C732 - Elementary Disciplinary Literacy - Elementary Disciplinary Literacy examines teaching strategies designed to help learners in grades K–6'
  ➜ Title candidate: 'C732 - Elementary Disciplinary Literacy - Elementary Disciplinary Literacy examines teaching strategies designed to help learners in grades K–6'
  ❌ Invalid title line: 'C732 - Elementary Disciplinary Literacy - Elementary Disciplinary Literacy examines teaching strategies designed to help learners in grades K–6'
  ➜ Parsing at 6126: 'develop the literacy skills necessary to read, write, and think critically while engaging content in different academic disciplines. Course content'

🔍 parse_program: starting at line 6126: 'develop the literacy skills necessary to read, write, and think critically while engaging content in different academic disciplines. Course content'
  ➜ Title candidate: 'develop the literacy skills necessary to read, write, and think critically while engaging content in different academic disciplines. Course content'
  ❌ Invalid title line: 'develop the literacy skills necessary to read, write, and think critically while engaging content in different academic disciplines. Course content'
  ➜ Parsing at 6127: 'highlights strategies to help learners distinguish between the unique characteristics of informational texts while improving comprehension and writing'

🔍 parse_program: starting at line 6127: 'highlights strategies to help learners distinguish between the unique characteristics of informational texts while improving comprehension and writing'
  ➜ Title candidate: 'highlights strategies to help learners distinguish between the unique characteristics of informational texts while improving comprehension and writing'
  ❌ Invalid title line: 'highlights strategies to help learners distinguish between the unique characteristics of informational texts while improving comprehension and writing'
  ➜ Parsing at 6128: 'proficiency across the curriculum. Strategies to encourage inquiry and cultivate skills in critical thinking, collaboration, and creativity also are'

🔍 parse_program: starting at line 6128: 'proficiency across the curriculum. Strategies to encourage inquiry and cultivate skills in critical thinking, collaboration, and creativity also are'
  ➜ Title candidate: 'proficiency across the curriculum. Strategies to encourage inquiry and cultivate skills in critical thinking, collaboration, and creativity also are'
  ❌ Invalid title line: 'proficiency across the curriculum. Strategies to encourage inquiry and cultivate skills in critical thinking, collaboration, and creativity also are'
  ➜ Parsing at 6129: 'addressed. This course has no prerequisites.'

🔍 parse_program: starting at line 6129: 'addressed. This course has no prerequisites.'
  ➜ Title candidate: 'addressed. This course has no prerequisites.'
  ❌ Invalid title line: 'addressed. This course has no prerequisites.'
  ➜ Parsing at 6130: 'C733 - Elementary Disciplinary Literacy - Elementary Disciplinary Literacy examines teaching strategies designed to help learners in grades K–6'

🔍 parse_program: starting at line 6130: 'C733 - Elementary Disciplinary Literacy - Elementary Disciplinary Literacy examines teaching strategies designed to help learners in grades K–6'
  ➜ Title candidate: 'C733 - Elementary Disciplinary Literacy - Elementary Disciplinary Literacy examines teaching strategies designed to help learners in grades K–6'
  ❌ Invalid title line: 'C733 - Elementary Disciplinary Literacy - Elementary Disciplinary Literacy examines teaching strategies designed to help learners in grades K–6'
  ➜ Parsing at 6131: 'develop the literacy skills necessary to read, write, and think critically while engaging content in different academic disciplines. Course content'

🔍 parse_program: starting at line 6131: 'develop the literacy skills necessary to read, write, and think critically while engaging content in different academic disciplines. Course content'
  ➜ Title candidate: 'develop the literacy skills necessary to read, write, and think critically while engaging content in different academic disciplines. Course content'
  ❌ Invalid title line: 'develop the literacy skills necessary to read, write, and think critically while engaging content in different academic disciplines. Course content'
  ➜ Parsing at 6132: 'highlights strategies to help learners distinguish between the unique characteristics of informational texts while improving comprehension and writing'

🔍 parse_program: starting at line 6132: 'highlights strategies to help learners distinguish between the unique characteristics of informational texts while improving comprehension and writing'
  ➜ Title candidate: 'highlights strategies to help learners distinguish between the unique characteristics of informational texts while improving comprehension and writing'
  ❌ Invalid title line: 'highlights strategies to help learners distinguish between the unique characteristics of informational texts while improving comprehension and writing'
  ➜ Parsing at 6133: 'proficiency across the curriculum. Strategies to encourage inquiry and cultivate skills in critical thinking, collaboration, and creativity also are'

🔍 parse_program: starting at line 6133: 'proficiency across the curriculum. Strategies to encourage inquiry and cultivate skills in critical thinking, collaboration, and creativity also are'
  ➜ Title candidate: 'proficiency across the curriculum. Strategies to encourage inquiry and cultivate skills in critical thinking, collaboration, and creativity also are'
  ❌ Invalid title line: 'proficiency across the curriculum. Strategies to encourage inquiry and cultivate skills in critical thinking, collaboration, and creativity also are'
  ➜ Parsing at 6134: 'addressed. This course has no prerequisites.'

🔍 parse_program: starting at line 6134: 'addressed. This course has no prerequisites.'
  ➜ Title candidate: 'addressed. This course has no prerequisites.'
  ❌ Invalid title line: 'addressed. This course has no prerequisites.'
  ➜ Parsing at 6135: 'C736 - Evolution - Students will learn why evolution is the fundamental concept that underlies all life sciences and how it contributes to advances in'

🔍 parse_program: starting at line 6135: 'C736 - Evolution - Students will learn why evolution is the fundamental concept that underlies all life sciences and how it contributes to advances in'
  ➜ Title candidate: 'C736 - Evolution - Students will learn why evolution is the fundamental concept that underlies all life sciences and how it contributes to advances in'
  ❌ Invalid title line: 'C736 - Evolution - Students will learn why evolution is the fundamental concept that underlies all life sciences and how it contributes to advances in'
  ➜ Parsing at 6136: 'medicine, public health and conservation. Course participants will gain a firm understanding of the basic mechanisms of evolution including the'

🔍 parse_program: starting at line 6136: 'medicine, public health and conservation. Course participants will gain a firm understanding of the basic mechanisms of evolution including the'
  ➜ Title candidate: 'medicine, public health and conservation. Course participants will gain a firm understanding of the basic mechanisms of evolution including the'
  ❌ Invalid title line: 'medicine, public health and conservation. Course participants will gain a firm understanding of the basic mechanisms of evolution including the'
  ➜ Parsing at 6137: 'process of speciation --- and how these systems have given rise to the great diversity of life in the world today. They will also explore how new ideas,'

🔍 parse_program: starting at line 6137: 'process of speciation --- and how these systems have given rise to the great diversity of life in the world today. They will also explore how new ideas,'
  ➜ Title candidate: 'process of speciation --- and how these systems have given rise to the great diversity of life in the world today. They will also explore how new ideas,'
  ❌ Invalid title line: 'process of speciation --- and how these systems have given rise to the great diversity of life in the world today. They will also explore how new ideas,'
  ➜ Parsing at 6138: 'discoveries and technologies are modifying prior evolutionary concepts. Ultimately, the course will explain how evolution works and how we know what'

🔍 parse_program: starting at line 6138: 'discoveries and technologies are modifying prior evolutionary concepts. Ultimately, the course will explain how evolution works and how we know what'
  ➜ Title candidate: 'discoveries and technologies are modifying prior evolutionary concepts. Ultimately, the course will explain how evolution works and how we know what'
  ❌ Invalid title line: 'discoveries and technologies are modifying prior evolutionary concepts. Ultimately, the course will explain how evolution works and how we know what'
  ➜ Parsing at 6139: 'we know.'

🔍 parse_program: starting at line 6139: 'we know.'
  ➜ Title candidate: 'we know.'
  ❌ Invalid title line: 'we know.'
  ➜ Parsing at 6140: 'C737 - Evolution - Students will learn why evolution is the fundamental concept that underlies all life sciences and how it contributes to advances in'

🔍 parse_program: starting at line 6140: 'C737 - Evolution - Students will learn why evolution is the fundamental concept that underlies all life sciences and how it contributes to advances in'
  ➜ Title candidate: 'C737 - Evolution - Students will learn why evolution is the fundamental concept that underlies all life sciences and how it contributes to advances in'
  ❌ Invalid title line: 'C737 - Evolution - Students will learn why evolution is the fundamental concept that underlies all life sciences and how it contributes to advances in'
  ➜ Parsing at 6141: 'medicine, public health and conservation. Course participants will gain a firm understanding of the basic mechanisms of evolution including the'

🔍 parse_program: starting at line 6141: 'medicine, public health and conservation. Course participants will gain a firm understanding of the basic mechanisms of evolution including the'
  ➜ Title candidate: 'medicine, public health and conservation. Course participants will gain a firm understanding of the basic mechanisms of evolution including the'
  ❌ Invalid title line: 'medicine, public health and conservation. Course participants will gain a firm understanding of the basic mechanisms of evolution including the'
  ➜ Parsing at 6142: 'process of speciation --- and how these systems have given rise to the great diversity of life in the world today. They will also explore how new ideas,'

🔍 parse_program: starting at line 6142: 'process of speciation --- and how these systems have given rise to the great diversity of life in the world today. They will also explore how new ideas,'
  ➜ Title candidate: 'process of speciation --- and how these systems have given rise to the great diversity of life in the world today. They will also explore how new ideas,'
  ❌ Invalid title line: 'process of speciation --- and how these systems have given rise to the great diversity of life in the world today. They will also explore how new ideas,'
  ➜ Parsing at 6143: 'discoveries and technologies are modifying prior evolutionary concepts. Ultimately, the course will explain how evolution works and how we know what'

🔍 parse_program: starting at line 6143: 'discoveries and technologies are modifying prior evolutionary concepts. Ultimately, the course will explain how evolution works and how we know what'
  ➜ Title candidate: 'discoveries and technologies are modifying prior evolutionary concepts. Ultimately, the course will explain how evolution works and how we know what'
  ❌ Invalid title line: 'discoveries and technologies are modifying prior evolutionary concepts. Ultimately, the course will explain how evolution works and how we know what'
  ➜ Parsing at 6144: 'we know.'

🔍 parse_program: starting at line 6144: 'we know.'
  ➜ Title candidate: 'we know.'
  ❌ Invalid title line: 'we know.'
  ➜ Parsing at 6145: '© Western Governors University 7/19/17 163'

🔍 parse_program: starting at line 6145: '© Western Governors University 7/19/17 163'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'C738 - Space, Time and Motion - Throughout history, humans have grappled with questions about the origin, workings, and behavior of the universe.'
  ➜ Skipping stray line: 'This seminar begins with a quick tour of discovery and exploration in physics, from the ancient Greek philosophers on to Galileo Galilei, Isaac Newton'
  ➜ Skipping stray line: 'and Albert Einstein. Einstein’s work then serves as the departure point for a detailed look at the properties of motion, time, space, matter, and energy.'
  ➜ Skipping stray line: 'The course considers Einstein’s Special Theory of Relativity, his photon hypothesis, wave-particle duality, his General Theory of Relativity and its'
  ➜ Skipping stray line: 'implications for astrophysics and cosmology, as well as his three-decade quest for a unified field theory. It also looks at Einstein as a social and'
  ➜ Skipping stray line: 'political figure, and his contributions as a social and political force. Scientist-authored essays, online interaction, videos, and web resources enable'
  ➜ Skipping stray line: 'learners to trace this historic path of discovery and explore implications of technology for society, energy production in stars, black holes, the Big Bang'
  ➜ Skipping stray line: 'and the role of the scientist in modern society.'
  ➜ Skipping stray line: 'C739 - Space, Time and Motion - Throughout history, humans have grappled with questions about the origin, workings, and behavior of the universe.'
  ➜ Skipping stray line: 'This seminar begins with a quick tour of discovery and exploration in physics, from the ancient Greek philosophers on to Galileo Galilei, Isaac Newton'
  ➜ Skipping stray line: 'and Albert Einstein. Einstein’s work then serves as the departure point for a detailed look at the properties of motion, time, space, matter, and energy.'
  ➜ Skipping stray line: 'The course considers Einstein’s Special Theory of Relativity, his photon hypothesis, wave-particle duality, his General Theory of Relativity and its'
  ➜ Skipping stray line: 'implications for astrophysics and cosmology, as well as his three-decade quest for a unified field theory. It also looks at Einstein as a social and'
  ➜ Skipping stray line: 'political figure, and his contributions as a social and political force. Scientist-authored essays, online interaction, videos, and web resources enable'
  ➜ Skipping stray line: 'learners to trace this historic path of discovery and explore implications of technology for society, energy production in stars, black holes, the Big Bang'
  ➜ Skipping stray line: 'and the role of the scientist in modern society.'
  ➜ Skipping stray line: 'C740 - Fundamentals of Data Analytics - This course provides an introduction to a variety of tools and techniques used in the field of data analytics.'
  ➜ Skipping stray line: 'Students will summarize data, review statistical models, explore data mining techniques, and contemplate ethical considerations associated with the'
  ➜ Skipping stray line: 'field of data analytics. This course presents a survey of concepts which will be explored more in-depth in subsequent courses in the MS Data Analytics'
  ➜ Skipping stray line: 'program.'
  ➜ Skipping stray line: 'C741 - Statistics for Data Analysis - This course covers a broad range of statistical techniques and methods applied in real-world settings. Topics'
  ➜ Skipping stray line: 'presented include inferential, parametric and non-parametric statistics, as well as regression analysis and analysis of variance.'
  ➜ Skipping stray line: 'C742 - Data Science Tools and Techniques - This course covers data science tools and techniques to perform data wrangling and exploration. You'
  ➜ Skipping stray line: 'will be introduced to programming languages and web scraping tools along with machine learning models.'
  ➜ Skipping stray line: 'C743 - Data Mining and Analytics I - This course is an introduction to data mining and exploratory data analysis, including text and web mining.'
  ➜ Skipping stray line: 'Topics include the use of data exploration methods to prepare data, familiarization with commercial data types commonly used for data mining, the'
  ➜ Skipping stray line: 'use of statistical and data mining software, including R, SAS and SPSS, and the comparison and classification of data mining methods.'
  ➜ Skipping stray line: 'C744 - Data Mining and Analytics II - This course examines the application of descriptive and predictive data mining techniques to reveal information'
  ➜ Skipping stray line: 'within a mass of data. Techniques include factor analysis, cluster analysis, classification methods, and neural networks to limit human subjectivity in'
  ➜ Skipping stray line: 'decision making processes.'
  ➜ Skipping stray line: 'C745 - Advanced Data Visualization - The focus of this course is visualizing and telling stories with data. This course begins with a description of the'
  ➜ Skipping stray line: 'growth of data and visualization in industry, news, and government. Actual human stories will be reviewed from a data-statistical perspective. The'
  ➜ Skipping stray line: 'creation of graphs, displays and geospatial data presentations to communicate information supporting decision making while implementing best'
  ➜ Skipping stray line: 'practices for effective storytelling will be examined.'
  ➜ Skipping stray line: 'C746 - Advanced SQL - This course prepares the student for the Oracle Database SQL (1Z0-071) certification exam. Students will master the SQL'
  ➜ Skipping stray line: 'language which will allow them to restrict and sort data, manage data, objects and tables, create schema objects, and control user access.'
  ➜ Skipping stray line: 'C747 - SAS Programming I: Fundamentals - This course prepares the student for the Base Programmer for SAS 9 Certification (A00-211). Students'
  ➜ Skipping stray line: 'will achieve competencies in SAS programming that will allow them to import and export raw data files, manipulate and transform data, combine SAS'
  ➜ Skipping stray line: 'data sets, identify and correct syntax errors, and write SAS code on the SAS platform.'
  ➜ Skipping stray line: 'C748 - SAS Programming II: Business Analysis Applications - This course prepares the student for the SAS Statistical Business Analyst for SAS'
  ➜ Skipping stray line: '9 Certification (A00-240). Students will gain competency to conduct, interpret, and present complex statistical data analysis in the SAS platform.'
  ➜ Skipping stray line: 'C749 - Introduction to Data Science - This Introduction to Data Science course introduces the data analysis process and common statistical'
  ➜ Skipping stray line: 'techniques necessary for the analysis of data. Students will ask questions that can be solved with a given data set, set up experiments, use statistics'
  ➜ Skipping stray line: 'and data wrangling to test hypotheses, find ways to speed up their data analysis code, make their data set easier to access, and communicate their'
  ➜ Skipping stray line: 'findings.'
  ➜ Skipping stray line: 'C750 - Data Wrangling with MongoDB - This course elaborates on concepts covered in Introduction to Data Science, helping to develop skills'
  ➜ Skipping stray line: 'crucial to the field of data science and analysis. It explores how to wrangle data from diverse sources and shape it to enable data-driven applications—'
  ➜ Skipping stray line: 'a common activity in many data scientists' routine.'
  ➜ Skipping stray line: 'Topics covered include gathering and extracting data from widely-used data formats, assessing the quality of data, and exploring best practices for'
  ➜ Skipping stray line: 'data cleaning. This course also introduces MongoDB, covering the essentials of storing data and the MongoDB query language together with'
  ➜ Skipping stray line: 'exploratory analysis using the MongoDB aggregation framework.'
  ➜ Skipping stray line: 'C751 - Data Analysis with R - This course focuses on exploratory data analysis (EDA) utilizing R. EDA is an approach for summarizing and'
  ➜ Skipping stray line: 'visualizing the important characteristics of a data set. Exploratory data analysis focuses on exploring data to understand the data’s underlying'
  ➜ Skipping stray line: 'structure and variables to develop intuition about the data set, to consider how that data set came into existence, and to decide how it can be'
  ➜ Skipping stray line: 'investigated with more formal statistical methods.'
  ➜ Skipping stray line: 'C752 - Data Visualization - This course covers the application of design principles, human perception, color theory, and effective storytelling in the'
  ➜ Skipping stray line: 'context of data visualization. It addresses presenting data to others, facilitating aspirations to be an analyst or data scientist, and advancing technology'
  ➜ Skipping stray line: 'with visualization tools. Additionally, this course focuses on how to visually encode and present data to an audience.'
  ➜ Skipping stray line: 'C753 - Machine Learning - This course presents the end-to-end process of investigating data through a machine learning lens. Topics covered'
  ➜ Skipping stray line: 'include: techniques for extracting data, identifying useful features that best represent data, a survey of commonly-used machine learning algorithms,'
  ➜ Skipping stray line: 'and methods for evaluating the performance of machine learning algorithms.'
  ➜ Skipping stray line: 'C754 - Structured Query Language - This course focuses on structured query language (SQL). It starts with a review of the basic statements and'
  ➜ Skipping stray line: 'continues on to the creation of complex queries that affect multiple tables and utilize SQL functions. Data manipulation language (DML) and data'
  ➜ Skipping stray line: 'definition language (DDL) are also covered, thus enabling the student to create and maintain database objects and modify data by using SQL'
  ➜ Skipping stray line: 'commands.'
  ➜ Skipping stray line: 'C755 - Database Server Administration - This course covers the installation, configuration, and administration of database servers. Students will be'
  ➜ Skipping stray line: 'introduced to all the logical and physical components of a database server and learn to set up a server in a network environment. Tools and strategies'
  ➜ Skipping stray line: 'for access and space management will be covered, as well as backup, restoration, and upgrade techniques.'
  ➜ Skipping stray line: 'C756 - Data Analytics - This course covers the most common tools, techniques, and procedures involved in data analytics. Students will review all'
  ➜ Skipping stray line: 'the disciplines involved with data analytics learned in previous courses and get a better understanding of how they all relate to one another.'
  ➜ Skipping stray line: 'C762 - Teacher Performance Assessment in Science - The Teacher Performance Assessment is a culmination of the wide variety of skills learned'
  ➜ Skipping stray line: 'during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of'
  ➜ Skipping stray line: 'your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 164'
  ➜ Skipping stray line: 'C763 - Healthcare Information Systems Management - Information Systems Management provides an overview of many facets of information'
  ➜ Skipping stray line: 'systems that are applicable to business and healthcare. The course explores how information technology (IT) is an organizational resource that must'
  ➜ Skipping stray line: 'be managed so that it supports or enables organizational strategy. The course will discuss how decision support and communication are securely'
  ➜ Skipping stray line: 'facilitated in a global marketplace. The course also explores current and continuously evolving technologies, strategic thinking, and issues at the'
  ➜ Skipping stray line: 'intersection of management and technology.'
  ➜ Skipping stray line: 'C768 - Technical Communication - This course covers basic elements of technical communication, including professional written communication'
  ➜ Skipping stray line: 'proficiency; the ability to strategize approaches for differing audiences; and technical style, grammar, and syntax proficiency.'
  ➜ Skipping stray line: 'C769 - IT Capstone Written Project - The capstone project consists of a technical work proposal, the proposal’s implementation, and a post-'
  ➜ Skipping stray line: 'implementation report that describes the graduate’s experience in developing and implementing the capstone project. The capstone project should be'
  ➜ Skipping stray line: 'presented and approved by the mentor in relation to the graduate’s technical emphasis.'
  ➜ Skipping stray line: 'C772 - Data Analytics Graduate Capstone - The Data Analytics Graduate Capstone course allows the student to demonstrate their application of the'
  ➜ Skipping stray line: 'academic and professional abilities developed as a graduate student. The capstone challenges students to integrate skills and knowledge from'
  ➜ Skipping stray line: 'several program domains into one project.'
  ➜ Skipping stray line: 'C773 - User Interface Design - This course covers tools and techniques employed in user interface design including web and mobile applications.'
  ➜ Skipping stray line: 'Concepts of clarity, usability and detectability are included in this course as well as other design elements such as color schemes, typography, and'
  ➜ Skipping stray line: 'layout . Techniques like wireframing, usability testing, and SEO optimization are also covered. This course prepares students for the CIW User'
  ➜ Skipping stray line: 'Interface Designer certification.'
  ➜ Skipping stray line: 'C777 - Web Development Applications - This course prepares students for the CIW Advanced HTML5 and CSS3 Specialist certification exam. This'
  ➜ Skipping stray line: 'course builds upon a student's manual coding skills by teaching how to develop web documents and pages using the Web Development Trifecta:'
  ➜ Skipping stray line: 'HTML5 (Hypertext Markup Language version 5) and CSS3 (Cascading Style Sheets version 3) and JavaScript. Students will utilize the skills learned'
  ➜ Skipping stray line: 'in this course to create web documents and pages that easily adapt to display on both traditional and mobile devices. In addition, students will learn'
  ➜ Skipping stray line: 'techniques for code validation and testing, form creation, inline form field validation, and mobile design for browsers and apps, including Responsive'
  ➜ Skipping stray line: 'Web Design (RWD).'
  ➜ Skipping stray line: 'C779 - Web Development Foundations -'
  ➜ Skipping stray line: 'This course prepares students for the CIW Site Development Associate certification. The course introduces students to web design and development'
  ➜ Skipping stray line: 'by presenting them with HTML5 and CSS, the foundational languages of the web, by reviewing media strategies, and by using tools and techniques'
  ➜ Skipping stray line: 'commonly employed in web development.'
  ➜ Skipping stray line: 'C783 - Project Management - In this course, students examine project management concepts based on the five process groups and ten knowledge'
  ➜ Skipping stray line: 'areas identified in the Project Management Body of Knowledge (PMBOK) Guide in preparation for completing the PMI Certified Associate in Project'
  ➜ Skipping stray line: 'Management (CAPM) certification exam.'
  ➜ Skipping stray line: 'C784 - Applied Healthcare Statistics - Applied Healthcare Probability and Statistics is designed to help you develop competence in the fundamental'
  ➜ Skipping stray line: 'concepts of basic mathematics, introductory algebra, and statistics and probability. These concepts include: basic arithmetic with fractions and signed'
  ➜ Skipping stray line: 'numbers; introductory algebra and graphing; descriptive statistics; regression and correlation; and probability. Statistical data and probability are now'
  ➜ Skipping stray line: 'commonplace in the healthcare field. You need to be able to make informed decisions about which studies and results are valid, which are not, and'
  ➜ Skipping stray line: 'how those results affect your decisions. This course will give you background in what constitutes sound research design and how to appropriately'
  ➜ Skipping stray line: 'model phenomena using statistical data. Additionally, you will be able to calculate simple probabilities, especially based on events which occur in the'
  ➜ Skipping stray line: 'healthcare profession. This course will prepare you for your studies at WGU, as well as in the healthcare profession.'
  ➜ Skipping stray line: 'C785 - Biochemistry - Biochemistry covers the structure and function of the four major polymers produced by living organisms. These include nucleic'
  ➜ Skipping stray line: 'acids, proteins, carbohydrates, and lipids. This course focuses on application! Be sure to understand the underlying biochemistry in order to grasp how'
  ➜ Skipping stray line: 'it is applied. By successfully completing this course, you will gain an introductory understanding of the chemicals and reactions that sustain life. You'
  ➜ Skipping stray line: 'will also begin to see the importance of this subject matter to health.'
  ➜ Skipping stray line: 'C787 - Health and Wellness Through Nutritional Science - Nutritional ignorance or misunderstandings are at the root of the health problems that'
  ➜ Skipping stray line: 'most Americans face today. Nurses need to be armed with the most current information available about nutrition science including how to understand'
  ➜ Skipping stray line: 'nutritional content of food, implications of exercise and activity on food consumption and weight management, and management of community or'
  ➜ Skipping stray line: 'population specific nutritional challenges. The Nutrition for Contemporary Society course should prepare nurses to provide support, guidance and'
  ➜ Skipping stray line: 'teaching about incorporation of sound nutritional principles into daily life for health promotion. This course covers the following concepts: nutrition to'
  ➜ Skipping stray line: 'support wellness; healthy nutritional choices; nutrition and physical activity; nutrition through the lifecycle; safety and security of food; and nutrition and'
  ➜ Skipping stray line: 'global health environments.'
  ➜ Skipping stray line: 'C790 - Foundations in Nursing Informatics - This course addresses the integration of technology to improve and support nursing practice. It'
  ➜ Skipping stray line: 'provides nurses with a foundational understanding of nursing informatics theory, practice, and applications. Topics include the role of nursing in'
  ➜ Skipping stray line: 'informatics; use of computer technology for clinical documentation, communication, and workflows; problem identification; project implementation; and'
  ➜ Skipping stray line: 'best practices.'
  ➜ Skipping stray line: 'C791 - Advanced Information Management and the Application of Technology - In this course you will examine complementary roles of master’s'
  ➜ Skipping stray line: 'level-prepared nursing information technology professionals, including informaticists and quality officers. You will analyze current and emerging'
  ➜ Skipping stray line: 'technologies; data management; ethical legal and regulatory best-practice evidence; and bio-health informatics using decision-making support'
  ➜ Skipping stray line: 'systems at the point of care.'
  ➜ Skipping stray line: 'C792 - Data Modeling and Database Management Systems - This graduate course is designed to engage the student in planning, analyzing, and'
  ➜ Skipping stray line: 'designing a relational database management system (DBMS) for use by nurse administrators, clinicians, educators, and informaticists. This'
  ➜ Skipping stray line: 'experience will provide the knowledge needed to advocate for nursing informatics needs within the field of healthcare.'
  ➜ Skipping stray line: 'C793 - Nursing Informatics Field Experience - In the Nursing Informatics Field Experience, you will complete a hands-on field experience while'
  ➜ Skipping stray line: 'working with a preceptor in a setting relevant to your professional situation and nursing informatics. Today’s rapidly changing health delivery system'
  ➜ Skipping stray line: 'requires nurse informaticists to be prepared to effectively lead change and facilitate learning that is dynamic and meets the needs of a diverse student'
  ➜ Skipping stray line: 'and professional nursing population. To help you develop competency in this area, you will apply methods and solutions to support clinical decisions'
  ➜ Skipping stray line: 'and improve health outcomes by designing data collection instruments, developing a database management system and analyzing data using'
  ➜ Skipping stray line: 'statistical and geospatial techniques in a simulated environment.'
  ➜ Skipping stray line: 'C794 - Nursing Informatics Capstone - The Nursing Informatics Capstone is the final leg in your journey to graduation. During this course, you will'
  ➜ Skipping stray line: 'present evidence of the knowledge and skills you gained during this program by completing a comprehensive evaluation of a health information'
  ➜ Skipping stray line: 'system. You will develop a multimedia presentation that reviews and reflects on your learning experiences during the Nursing Informatics program.'
  ➜ Skipping stray line: 'This scholarly presentation is a synthesis that illustrates the acquisition of nursing informatics knowledge, skills, and competencies. Your final'
  ➜ Skipping stray line: 'presentation should demonstrate how the integration of nursing informatics facilitates the transformation of data and information to knowledge and'
  ➜ Skipping stray line: 'wisdom in a nursing practice. The presentation will be developed using the best practices for narrated PowerPoint presentations (see the MSN'
  ➜ Skipping stray line: 'Capstone Presentation section for details).'
  ➜ Skipping stray line: 'C797 - Data Science and Analytics - This course addresses the interdisciplinary and emerging field of data science in healthcare. Students will learn'
  ➜ Skipping stray line: 'to combine tools and techniques from statistics, computer science, data visualization, and the social sciences to solve problems using data. Topics'
  ➜ Skipping stray line: 'include data analysis, database management, inferential and descriptive statistics, statistical inference, and process improvement.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 165'
  ➜ Skipping stray line: 'C798 - Informatics System Analysis and Design - In Informatics System Analysis and Design, a broad understanding of data systems is covered to'
  ➜ Skipping stray line: 'build upon the Foundations in Nursing Informatics course. The importance of effective interoperability, functionality, data access, and user satisfaction'
  ➜ Skipping stray line: 'are addressed. The student will be analyzing reports and integrating federal regulations, research principles, and principles of environmental health in'
  ➜ Skipping stray line: 'the construction of a real-world systems analysis and design project. This course will be directly applicable to healthcare settings as electronic records'
  ➜ Skipping stray line: 'management has become compulsory for healthcare providers. All of the information in this course will be directly tied to the delivery of quality patient'
  ➜ Skipping stray line: 'care and patient safety.'
  ➜ Skipping stray line: 'C799 - Healthcare Ecosystems - Healthcare Ecosystems explores the history and state of healthcare organizations in an ever-changing'
  ➜ Skipping stray line: 'environment. This course covers how agencies influence healthcare delivery through legal, licensure, certification, and accreditation standards. The'
  ➜ Skipping stray line: 'course will also discuss how new technologies and trends keep healthcare delivery innovative and current.'
  ➜ Skipping stray line: 'C800 - Introduction to Healthcare IT Systems - Introduction to Healthcare IT Systems introduces students to information technology as a discipline.'
  ➜ Skipping stray line: 'This course also exposes students to the various roles and functions of the health information manager to support the business of healthcare. There'
  ➜ Skipping stray line: 'are no prerequisites for this course.'
  ➜ Skipping stray line: 'C801 - Health Information Law and Regulations - Health Information Law and Regulations prepares students to manage health information in'
  ➜ Skipping stray line: 'compliance with legal guidelines and teaches how to respond to questions and challenges when legal issues occur. This course presents the types of'
  ➜ Skipping stray line: 'situations occurring in health information management that could result in ethical dilemmas and establishes a foundation for work based on legal and'
  ➜ Skipping stray line: 'ethical guidelines.'
  ➜ Skipping stray line: 'C802 - Foundations in Healthcare Information Management - Foundations in Healthcare Information applies theories from business, IT,'
  ➜ Skipping stray line: 'management, medicine, and consumer-centered healthcare skills. Students will learn to evaluate and analyze health information systems for'
  ➜ Skipping stray line: 'implementation in health information management. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C803 - Data Analytics and Information Governance - Data Analytics and Information Governance explores the structure, methods, and approaches'
  ➜ Skipping stray line: 'for using health information in the healthcare industry. By focusing on quality data collection, analytics, and industry regulations, students will examine'
  ➜ Skipping stray line: 'tools that ensure quality data collection as well as use data to improve quality of care. This course has no prerequisites.'
  ➜ Skipping stray line: 'C804 - Medical Terminology - Medical Terminology focuses on the basic components of medical terminology and how terminology is used when'
  ➜ Skipping stray line: 'discussing various body structures and systems. Proper use of medical terminology is critical for accurate and clear communication among medical'
  ➜ Skipping stray line: 'staff, health professionals, and patients. In addition to the systems of the body, this course will discuss immunity, infections, mental health, and cancer.'
  ➜ Skipping stray line: 'C805 - Pathophysiology - Pathophysiology is an overview of the pathology and treatment of diseases in the human body and its systems. This'
  ➜ Skipping stray line: 'course will explain the processes in the body that result in the signs and symptoms of disease, as well as therapeutic procedures in managing or'
  ➜ Skipping stray line: 'curing the disease. The content draws on a knowledge of anatomy and physiology to understand how diseases manifest themselves and how they'
  ➜ Skipping stray line: 'affect the body.'
  ➜ Skipping stray line: 'C806 - Introduction to Pharmacology - Introduction to Pharmacology provides information about drug development and approvals, pharmaceutical'
  ➜ Skipping stray line: 'classifications, metabolism, and the effect of drugs on body systems. The course will introduce advancements in pharmaceutical technology,'
  ➜ Skipping stray line: 'regulatory requirements within electronic health record systems, and the financial implications of pharmaceutical coding and billing. This course has no'
  ➜ Skipping stray line: 'prerequisites.'
  ➜ Skipping stray line: 'C807 - Healthcare Compliance - Healthcare Compliance examines the role of the coding professional within healthcare information management.'
  ➜ Skipping stray line: 'The course covers compliance plans, issues that arise with noncompliance, and management of internal and external audits.'
  ➜ Skipping stray line: 'C808 - Classification Systems - Classification Systems provides a comprehensive approach to learning about medical coding classification, coding'
  ➜ Skipping stray line: 'audits and quality standards. Students will be exposed to electronic health record systems and leadership principles as they relate to management of'
  ➜ Skipping stray line: 'ICD and CPT codes. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C810 - Foundations in Healthcare Data Management - Foundations in Healthcare Data Management introduces students to the concepts and'
  ➜ Skipping stray line: 'terminology used in health data and health information management. This course teaches students how to apply data management and governance'
  ➜ Skipping stray line: 'principles in the healthcare environment. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C811 - Healthcare Financial Resource Management - Healthcare Financial Resource Management examines financial practices within healthcare'
  ➜ Skipping stray line: 'industries to promote effective management at department and organization levels. Focusing on financial processes associated with facility operations'
  ➜ Skipping stray line: 'in the healthcare field, this course will analyze the impact of strategic financial planning and regulatory control processes. This course has no'
  ➜ Skipping stray line: 'prerequisites.'
  ➜ Skipping stray line: 'C812 - Healthcare Reimbursement - Healthcare Reimbursement explores financial practices within the healthcare industry as they relate to'
  ➜ Skipping stray line: 'reimbursement policies. This course identifies how reimbursement systems impact the revenue cycle and a health information manager's role. This'
  ➜ Skipping stray line: 'course has no prerequisites.'
  ➜ Skipping stray line: 'C813 - Healthcare Statistics and Research - Healthcare Statistics and Research explores the use of statistical data to support process improvement'
  ➜ Skipping stray line: 'through health information research. Health information management (HIM) professionals use information systems to gather, analyze, and present'
  ➜ Skipping stray line: 'data in response to administrative and clinical needs. This course has no prerequisites.'
  ➜ Skipping stray line: 'C815 - Quality and Performance Management and Methods - Quality and Performance Management and Methods examines quality initiatives'
  ➜ Skipping stray line: 'within healthcare. Quality issues cover human resource management, employee performance and patient safety. This course focuses on quality'
  ➜ Skipping stray line: 'improvement initiatives and performance improvement with the health information management perspective.'
  ➜ Skipping stray line: 'C816 - Healthcare System Applications - Healthcare System Applications introduces students to information systems. This course includes'
  ➜ Skipping stray line: 'important topics related to management of information systems (MIS), such as system development and business continuity. The course also provides'
  ➜ Skipping stray line: 'an overview of management tools and issue tracking systems. This course has no prerequisites.'
  ➜ Skipping stray line: 'C818 - Health Information Management Capstone - tbd'
  ➜ Skipping stray line: 'C820 - Professional Leadership and Communication for Healthcare - The Leadership and Communication course is designed to help students'
  ➜ Skipping stray line: 'prepare for success in the online environment at Western Governors University and beyond. Student success starts with the social support and self-'
  ➜ Skipping stray line: 'reflective awareness that will prepare students to weather the challenges of academic programs. In this course students will participate in group'
  ➜ Skipping stray line: 'activities and complete a number of individual assignments. The group activities are aimed at finding support and insight from other students. The'
  ➜ Skipping stray line: 'assignments are intended to give the student an opportunity to reflect about where they are and where they would like to be. The activities in each'
  ➜ Skipping stray line: 'group meeting are designed to give students several tools they can use to achieve success. This course is designed as a eight-part intensive learning'
  ➜ Skipping stray line: 'experience. Students will attend eight group meetings during the term. At each meeting students will engage in activities that help them understand'
  ➜ Skipping stray line: 'their own educational journey and find support and inspiration in the journey of others.'
  ➜ Skipping stray line: 'C821 - Nursing Education Field Experience - Nurse educators teach the next generation of nurses, in academic and clinical settings. They must be'
  ➜ Skipping stray line: 'licensed to practice nursing and have considerable hands-on nursing experience, as well as advanced training and education. The Nursing Education'
  ➜ Skipping stray line: 'Field Experience provides the graduate student with an opportunity to work collaboratively within the organization where he/she is employed to'
  ➜ Skipping stray line: 'address an identified nursing problem, need, or gap in current practices. Students then work to promote a practice change, quality improvement, or'
  ➜ Skipping stray line: 'innovation that is based on the existing evidence and best practices.'
  ➜ Skipping stray line: 'C822 - Nurse Educator Capstone - The capstone is a scholarly project that addresses an issue, need, gap or opportunity resulting from an identified'
  ➜ Skipping stray line: 'in nursing education or healthcare need. The capstone project provides the opportunity for the graduate nursing student to demonstrate competency'
  ➜ Skipping stray line: 'through design, application and evaluation of advanced nursing knowledge and higher level leadership skills for ultimately improving health outcomes'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 166'
  ➜ Skipping stray line: 'C823 - Nursing Leadership and Management Field Experience - Today’s rapidly changing healthcare delivery environment requires nurse'
  ➜ Skipping stray line: 'executives to effectively lead change to achieve organization goals and improvements. Registered nurses needs to hold an active nursing license and'
  ➜ Skipping stray line: 'have considerable clinical experience and education to become a nurse leader or manager. The Nursing Leadership and Management Field'
  ➜ Skipping stray line: 'Experience provides the graduate student with an opportunity to work collaboratively within the organization where he/she is employed to address an'
  ➜ Skipping stray line: 'identified nursing problem, need, or gap in current practices. Students then work to promote a practice change, quality improvement, or innovation that'
  ➜ Skipping stray line: 'is based on the existing evidence and best practices.'
  ➜ Skipping stray line: 'C824 - Nursing Leadership and Management Capstone - The Nursing Leadership and Management capstone course provides the student with an'
  ➜ Skipping stray line: 'opportunity to engage in a project that is actionable, relevant, highly collaborative, and based on real world experience. The capstone involves'
  ➜ Skipping stray line: 'development of a scholarly project that addresses a problem, need, or gap in current practices. The capstone project provides an opportunity for the'
  ➜ Skipping stray line: 'graduate nursing student to demonstrate competency through design, application, and evaluation of a planned practice change, quality improvement,'
  ➜ Skipping stray line: 'or innovation that is based on the existing evidence and best practices.'
  ➜ Skipping stray line: 'C825 - Introduction to Nursing Arts and Science - Intro to Nursing Clinical Skills is a skills lab section in which students will have the opportunity to'
  ➜ Skipping stray line: 'practice skills learned in didactic in a learning lab. Students will be introduced to and learn the fundamental skills of nursing, including: assessment,'
  ➜ Skipping stray line: 'vital signs, principles of safety, equipment uses, bathing, oral hygiene, perineal care, principles of asepsis, ambulating, transferring, range of motion,'
  ➜ Skipping stray line: 'restraints, fall prevention, and communication. Students successful in the lab assessment will be considered for admission to the BSRN program.'
  ➜ Skipping stray line: 'C826 - Community Health and Population-Focused Nursing - Community Health and Population-Focused Nursing will assist students in becoming'
  ➜ Skipping stray line: 'familiar with foundational theories and models of health promotion applicable to the community health nursing environment. Students will develop an'
  ➜ Skipping stray line: 'understanding of how policies and resources influence the health of populations. Focus is concentrated on learning the importance of a community'
  ➜ Skipping stray line: 'assessment to improve or resolve a community health issue. Students will be introduced to the relationships between cultures and communities and'
  ➜ Skipping stray line: 'the steps necessary to create community collaboration with the goal to improve or resolve community health issues in a variety of settings. Students'
  ➜ Skipping stray line: 'will gain a greater understanding of health systems in the United States, global health issues, quality-of-life issues, cultural influences, community'
  ➜ Skipping stray line: 'collaboration, and emergency preparedness.'
  ➜ Skipping stray line: 'C828 - Teacher Performance Assessment in Elementary Education - The Teacher Performance Assessment is a culmination of the wide variety of'
  ➜ Skipping stray line: 'skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a'
  ➜ Skipping stray line: 'collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C829 - Teacher Performance Assessment in Elementary and Special Education - The Teacher Performance Assessment is a culmination of the'
  ➜ Skipping stray line: 'wide variety of skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you'
  ➜ Skipping stray line: 'will showcase a collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C830 - Teacher Performance Assessment in Mathematics Education - The Teacher Performance Assessment is a culmination of the wide variety'
  ➜ Skipping stray line: 'of skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase'
  ➜ Skipping stray line: 'a collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C836 - Fundamentals of Information Security - This course lays the foundation for understanding terminology, principles, processes and best'
  ➜ Skipping stray line: 'practices of information security at local and global levels. It further provides an overview of basic security vulnerabilities and countermeasures for'
  ➜ Skipping stray line: 'protecting information assets through planning and administrative controls within an organization.'
  ➜ Skipping stray line: 'C837 - Managing Web Security - Almost all businesses and organizations require a web presence. The security needs, demands, and defenses for'
  ➜ Skipping stray line: 'these online environments differ from those of an isolated single computer or intranet. This course introduces best practices for preventing security'
  ➜ Skipping stray line: 'breaches by applying web security protocols, firewalls, and system configurations. This course prepares students for the Web Security Associate (CIW'
  ➜ Skipping stray line: 'WSA) certification exam.'
  ➜ Skipping stray line: 'C838 - Managing Cloud Security - Many of today’s companies and organizations have outsourced data management, availability, and operational'
  ➜ Skipping stray line: 'processes through cloud computing. In this course, students design solutions for cloud-based platforms and operations that maintain data availability'
  ➜ Skipping stray line: 'while protecting the confidentiality and integrity of information. This includes security controls, disaster recovery plans, and continuity management'
  ➜ Skipping stray line: 'plans that address physical, logical, and human factors. This course prepares students for the Certified Cloud Security Professional (ISC2 CCSP)'
  ➜ Skipping stray line: 'certification exam.'
  ➜ Skipping stray line: 'C839 - Introduction to Cryptography - This course provides students with knowledge of cryptographic algorithms, protocols, and their uses in the'
  ➜ Skipping stray line: 'protection of information in various states. This course prepares students for the Certified Encryption Specialist (EC-Council ECES) certification exam.'
  ➜ Skipping stray line: 'C840 - Digital Forensics in Cybersecurity - Digital forensics, the science of investigating cybercrimes, seeks evidence that reveals who, what, when,'
  ➜ Skipping stray line: 'where, and how threats compromise information. This course examines the relationships between incident categories, evidence handling, and incident'
  ➜ Skipping stray line: 'management. Students identify consequences associated with cyber threats and security laws using a variety of tools to recognize and recover from'
  ➜ Skipping stray line: 'unauthorized, malicious activities.'
  ➜ Skipping stray line: 'C841 - Legal Issues in Information Security - Security information professionals have the role and responsibility for knowing and applying ethical'
  ➜ Skipping stray line: 'and legal principles and processes that define specific needs and demands to assure data integrity within an organization. This course addresses the'
  ➜ Skipping stray line: 'laws, regulations, authorities, and directives that inform the development of operational policies, best practices, and training to assure legal'
  ➜ Skipping stray line: 'compliance and to minimize internal and external threats. Students analyze legal constraints and liability concerns that threaten information security'
  ➜ Skipping stray line: 'within an organization and develop disaster recovery plans to assure business continuity.'
  ➜ Skipping stray line: 'C842 - Cyber Defense and Countermeasures - Traditional defenses such as firewalls, security protocols, and encryption sometimes fail to stop'
  ➜ Skipping stray line: 'attackers determined to access and compromise data. This course provides the fundamental skills to handle and respond to the computer security'
  ➜ Skipping stray line: 'incidents in an information system. The course addresses various underlying principles and techniques for detecting and responding to current and'
  ➜ Skipping stray line: 'emerging computer security threats. Students learn how to handle various types of incidents, risk assessment methodologies, and various laws and'
  ➜ Skipping stray line: 'policy related to incident handling. This course prepares students for the Certified Incident Handler (EC-Council ECIH) certification exam.'
  ➜ Skipping stray line: 'C843 - Managing Information Security - This course expands on fundamentals of information security by providing an in-depth analysis of the'
  ➜ Skipping stray line: 'relationship between an information security program and broader business goals and objectives. Students develop knowledge and experience in the'
  ➜ Skipping stray line: 'development and management of an information security program essential to ongoing education, career progression, and value delivery to'
  ➜ Skipping stray line: 'enterprises. Students apply best practices to develop an information security governance framework, analyze mitigation in the context of compliance'
  ➜ Skipping stray line: 'requirements, align security programs with security strategies and best practices, and recommend procedures for managing security strategies that'
  ➜ Skipping stray line: 'minimize risk to an organization.'
  ➜ Skipping stray line: 'C844 - Emerging Technologies in Cybersecurity - The continual evolution of technology means that cybersecurity professionals must be able to'
  ➜ Skipping stray line: 'analyze and evaluate new technologies in information security such as wireless, mobile, and internet technologies. Students review the adoption'
  ➜ Skipping stray line: 'process which prepares an organization for the risks and challenges of implementing new technologies. This course focuses on comparison of'
  ➜ Skipping stray line: 'evolving technologies to address the security requirements of an organization. Students learn underlying principles critical to the operation of secure'
  ➜ Skipping stray line: 'networks and adoption of new technologies.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 167'
  ➜ Skipping stray line: 'C845 - Information Systems Security - IT security professionals must be prepared for the operational demands and responsibilities of security'
  ➜ Skipping stray line: 'practitioners, including authentication, security testing, intrusion detection and prevention, incident response and recovery, attacks and'
  ➜ Skipping stray line: 'countermeasures, cryptography, and malicious code countermeasures. This course provides a comprehensive, up-to-date global body of knowledge'
  ➜ Skipping stray line: 'that ensures students have the right information security knowledge and skills to be successful in IT operational roles to mitigate security concerns and'
  ➜ Skipping stray line: 'guard against the impact of malicious activity. Students demonstrate how to manage and restrict access control systems; administer policies,'
  ➜ Skipping stray line: 'procedures, and guidelines that are ethical and compliant with laws and regulations; implement risk management and incident handling processes;'
  ➜ Skipping stray line: 'execute cryptographic systems to protect data; manage network security; and analyze common attack vectors and countermeasures to assure'
  ➜ Skipping stray line: 'information integrity and confidentiality in various systems. This course prepares students for the Systems Security Certified Practitioner (ISC2 SSCP)'
  ➜ Skipping stray line: 'certification exam.'
  ➜ Skipping stray line: 'C846 - Business of IT - Applications - Business of IT – Applications examines Information Technology Infrastructure Library ( ITIL®) terminology,'
  ➜ Skipping stray line: 'structure, policies, and concepts. Focusing on the management of Information Technology (IT) infrastructure, development, and operations, students'
  ➜ Skipping stray line: 'will explore the core principles of ITIL practices for service management to prepare them for careers as IT professionals, business managers, and'
  ➜ Skipping stray line: 'business process owners. This course has no prerequisites.'
  ➜ Skipping stray line: 'C847 - Fundamentals of Diversity, Inclusion, and Exceptional Learners - Students will learn the history of inclusion and develop practical'
  ➜ Skipping stray line: 'strategies for modifying instruction, in accordance with legal expectations, to meet the needs of a diverse population of learners. This population'
  ➜ Skipping stray line: 'includes learners with disabilities, gifted and talented learners, culturally diverse learners, and English language learners.'
  ➜ Skipping stray line: 'C848 - Fundamentals of Diversity, Inclusion, and Exceptional Learners - Students will learn the history of inclusion and develop practical'
  ➜ Skipping stray line: 'strategies for modifying instruction, in accordance with legal expectations, to meet the needs of a diverse population of learners. This population'
  ➜ Skipping stray line: 'includes learners with disabilities, gifted and talented learners, culturally diverse learners, and English language learners.'
  ➜ Skipping stray line: 'C853 - Teacher Performance Assessment in English - The Teacher Performance Assessment serves as the final, culminating project in your'
  ➜ Skipping stray line: 'degree program. It is a formal, scholarly piece of work. You are required to design and develop a two-week-long (minimum), standards-based'
  ➜ Skipping stray line: 'curriculum unit. You will then implement (i.e., teach) the unit in your classroom and gather data as to its effectiveness.'
  ➜ Skipping stray line: 'C860 - Innovation Project - This course explores healthcare innovation by having you compare examples, apply concepts, perform research and'
  ➜ Skipping stray line: 'analysis, and create original work. You will complete and submit an Innovation proposal form describing a new technology to decrease clinic wait'
  ➜ Skipping stray line: 'times.'
  ➜ Skipping stray line: 'C861 - Healthcare Systems Project - You will explore healthcare systems by evaluating the needs of a group medical center to expand care to a'
  ➜ Skipping stray line: 'growing population of underserved and underinsured patients. You will assess the value of affiliation with other providers and potential payers, analyze'
  ➜ Skipping stray line: 'several healthcare organizations as potential partners for affiliation, and determine what type of affiliation structure will best meet the needs of the'
  ➜ Skipping stray line: 'medical center. This project culminates in the creation of a proposed “affiliation recommendation” that summarizes the assessment of three candidate'
  ➜ Skipping stray line: 'organizations.'
  ➜ Skipping stray line: 'C862 - Healthcare Quality Project - You will use Six Sigma principles and strategies, as well as other quality concepts (DMAIC), to address problems'
  ➜ Skipping stray line: 'of high patient wait times and poor physician communication at a highly functioning level 1 trauma center. You will develop a healthcare quality'
  ➜ Skipping stray line: 'improvement process that implements the five phases of a Six Sigma approach. You will also analyze challenges executives face in identifying,'
  ➜ Skipping stray line: 'synthesizing, and acting upon healthcare data to improve operations and patient-centered care.'
  ➜ Skipping stray line: 'C863 - Healthcare Financial Management Project - You will develop a value-based payment model and strategic implementation plan to provide'
  ➜ Skipping stray line: 'high-quality, most cost-effective care to a high-risk patient population. The organization is currently not equipped to take on the risks inherent in the'
  ➜ Skipping stray line: 'population of Southern Florida. To create a successful plan, you will analyze and interpret data to determine the population's need and justify that their'
  ➜ Skipping stray line: 'organization can financially support and sustain the new system.'
  ➜ Skipping stray line: 'C864 - Enterprise Risk Management Project - You will take on the role of a consulting risk manager for the Phoenix VA Health Care System'
  ➜ Skipping stray line: '(PVAHCS) to address the Office of Inspector General’s report. You begin by identifying and analyzing risk issues embedded within a real-world'
  ➜ Skipping stray line: 'scenario. You will use enterprise risk management (ERM) concepts to create and define implementation strategies for an ERM plan to mitigate and'
  ➜ Skipping stray line: 'manage the risks identified. Finally, you will recommend a new system model.'
  ➜ Skipping stray line: 'C865 - Population Health and Care Coordination Project - You will design a chronic care population management plan and change a health'
  ➜ Skipping stray line: 'system's model to one that focuses on patient and family. You will review a model from Mississippi that has expanded Medicaid where the'
  ➜ Skipping stray line: 'opportunities to develop partnerships are ideal. To help control costs, you will develop a wellness and prevention program alongside the disease'
  ➜ Skipping stray line: 'management model already being used in a system of their choice.'
  ➜ Skipping stray line: 'C870 - Human Anatomy and Physiology - This course examines the structures and functions of the human body and covers anatomical'
  ➜ Skipping stray line: 'terminology, cells and tissues, and organ systems. Students will use a dissection lab to study the healthy state of the organ systems of the human'
  ➜ Skipping stray line: 'body, including the digestive, skeletal, sensory, respiratory, reproductive, nervous, muscular, cardiovascular, lymphatic, integumentary, endocrine, and'
  ➜ Skipping stray line: 'renal systems. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C871 - MA, Science Education Teacher Performance Assessment - MA, Science Education (5-12 Geo) Teacher Performance Assessment'
  ➜ Skipping stray line: 'contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct evidence of the'
  ➜ Skipping stray line: 'candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect on the learning'
  ➜ Skipping stray line: 'process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional unit consisting'
  ➜ Skipping stray line: 'of seven components: 1) Contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision making, 6) analysis of'
  ➜ Skipping stray line: 'student learning, and 7) self-evaluation and reflection.'
  ➜ Skipping stray line: 'C873 - Teacher Performance Assessment in Elementary Education - The Teacher Performance Assessment is a culmination of the wide variety'
  ➜ Skipping stray line: 'of skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase'
  ➜ Skipping stray line: 'a collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C874 - MA, Mathematics Education (5-12) Teacher Performance Assessment - MA, Mathematics Education (5-12) Teacher Performance'
  ➜ Skipping stray line: 'Assessment contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct'
  ➜ Skipping stray line: 'evidence of the candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect'
  ➜ Skipping stray line: 'on the learning process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional'
  ➜ Skipping stray line: 'unit consisting of seven components: 1) Contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision'
  ➜ Skipping stray line: 'making, 6) analysis of student learning, and 7) self-evaluation and reflection.'
  ➜ Skipping stray line: 'C875 - Human Anatomy and Physiology - This course examines the structures and functions of the human body and covers anatomical'
  ➜ Skipping stray line: 'terminology, cells and tissues, and organ systems. Students will use a dissection lab to study the healthy state of the organ systems of the human'
  ➜ Skipping stray line: 'body, including the digestive, skeletal, sensory, respiratory, reproductive, nervous, muscular, cardiovascular, lymphatic, integumentary, endocrine, and'
  ➜ Skipping stray line: 'renal systems. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C876 - Conceptual Physics - Conceptual Physics provides a broad, conceptual overview of the main principles of physics, including mechanics,'
  ➜ Skipping stray line: 'thermodynamics, wave motion, modern physics, and electricity and magnetism. Problem-solving activities and laboratory experiments provide'
  ➜ Skipping stray line: 'students with opportunities to apply these main principles, creating a strong foundation for future studies in physics. There are no prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 168'
  ➜ Skipping stray line: 'C877 - Mathematical Modeling and Applications - Mathematical Modeling and Applications applies mathematics, such as differential equations,'
  ➜ Skipping stray line: 'discrete structures, and statistics to formulate models and solve real-world problems. This course emphasizes improving students’ critical thinking to'
  ➜ Skipping stray line: 'help them understand the process and application of mathematical modeling. Probability and Statistics II and Calculus II are prerequisites.'
  ➜ Skipping stray line: 'C878 - Mathematical Modeling and Applications - Mathematical Modeling and Applications applies mathematics, such as differential equations,'
  ➜ Skipping stray line: 'discrete structures, and statistics to formulate models and solve real-world problems. This course emphasizes improving students’ critical thinking to'
  ➜ Skipping stray line: 'help them understand the process and application of mathematical modeling. Probability and Statistics II and Calculus II are prerequisites.'
  ➜ Skipping stray line: 'C879 - Algebra for Secondary Mathematics Teaching - Algebra for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of algebra. Secondary teachers should have an understanding of the following: algebra as an extension of number, operation, and'
  ➜ Skipping stray line: 'quantity; various ideas of equivalence as it pertains to algebraic structures; patterns of change as covariation between quantities; connections'
  ➜ Skipping stray line: 'between representations (tables, graphs, equations, geometric models, context); and the historical development of content and perspectives from'
  ➜ Skipping stray line: 'diverse cultures. In particular, the focus should be on deeper understanding of rational numbers, ratios and proportions, meaning and use of variables,'
  ➜ Skipping stray line: 'functions (e.g., exponential, logarithmic, polynomials, rational, quadratic), and inverses. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C880 - Algebra for Secondary Mathematics Teaching - Algebra for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of algebra. Secondary teachers should have an understanding of the following: algebra as an extension of number, operation, and'
  ➜ Skipping stray line: 'quantity; various ideas of equivalence as it pertains to algebraic structures; patterns of change as covariation between quantities; connections'
  ➜ Skipping stray line: 'between representations (tables, graphs, equations, geometric models, context); and the historical development of content and perspectives from'
  ➜ Skipping stray line: 'diverse cultures. In particular, the focus should be on deeper understanding of rational numbers, ratios and proportions, meaning and use of variables,'
  ➜ Skipping stray line: 'functions (e.g., exponential, logarithmic, polynomials, rational, quadratic), and inverses. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C881 - Geometry for Secondary Mathematics Teaching - Geometry for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of geometry. Secondary teachers in this course will develop a deep understanding of constructions and transformations,'
  ➜ Skipping stray line: 'congruence and similarity, analytic geometry, solid geometry, conics, trigonometry, and the historical development of content. Calculus I is a'
  ➜ Skipping stray line: 'prerequisite for this course.'
  ➜ Skipping stray line: 'C882 - Geometry for Secondary Mathematics Teaching - Geometry for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of geometry. Secondary teachers in this course will develop a deep understanding of constructions and transformations,'
  ➜ Skipping stray line: 'congruence and similarity, analytic geometry, solid geometry, conics, trigonometry, and the historical development of content. Calculus I is a'
  ➜ Skipping stray line: 'prerequisite for this course.'
  ➜ Skipping stray line: 'C883 - Statistics and Probability for Secondary Mathematics Teaching - Statistics and Probability for Secondary Mathematics Teaching explores'
  ➜ Skipping stray line: 'important conceptual underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional'
  ➜ Skipping stray line: 'practices to support and assess the learning of statistics and probability. Secondary teachers should have a deep understanding of summarizing and'
  ➜ Skipping stray line: 'representing data, study design and sampling, probability, testing claims and drawing conclusions, and the historical development of content and'
  ➜ Skipping stray line: 'perspectives from diverse cultures. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C884 - Statistics and Probability for Secondary Mathematics Teaching - Statistics and Probability for Secondary Mathematics Teaching explores'
  ➜ Skipping stray line: 'important conceptual underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional'
  ➜ Skipping stray line: 'practices to support and assess the learning of statistics and probability. Secondary teachers should have a deep understanding of summarizing and'
  ➜ Skipping stray line: 'representing data, study design and sampling, probability, testing claims and drawing conclusions, and the historical development of content and'
  ➜ Skipping stray line: 'perspectives from diverse cultures. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C885 - Advanced Calculus - Advanced Calculus examines rigorous reconsideration and proofs involving calculus. Topics include real-number'
  ➜ Skipping stray line: 'systems, sequences, limits, continuity, differentiation, and integration. This course emphasizes students’ ability to apply critical thinking to concepts to'
  ➜ Skipping stray line: 'analyze the connections between definitions and properties. Calculus III and Linear Algebra are prerequisites.'
  ➜ Skipping stray line: 'C886 - Advanced Calculus - Advanced Calculus examines rigorous reconsideration and proofs involving calculus. Topics include real-number'
  ➜ Skipping stray line: 'systems, sequences, limits, continuity, differentiation, and integration. This course emphasizes students’ ability to apply critical thinking to concepts to'
  ➜ Skipping stray line: 'analyze the connections between definitions and properties. Calculus III and Linear Algebra are prerequisites.'
  ➜ Skipping stray line: 'C887 - MA, Mathematics Education (5-9) Teacher Performance Assessment - MA, Mathematics Education (5-9) Teacher Performance'
  ➜ Skipping stray line: 'Assessment contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct'
  ➜ Skipping stray line: 'evidence of the candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect'
  ➜ Skipping stray line: 'on the learning process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional'
  ➜ Skipping stray line: 'unit consisting of seven components: 1) contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision making,'
  ➜ Skipping stray line: '6) analysis of student learning, and 7) self-evaluation and reflection.'
  ➜ Skipping stray line: 'C888 - Molecular and Cellular Biology - Molecular and Cellular Biology provides students seeking licensure or endorsement in biology, grades 5-12,'
  ➜ Skipping stray line: 'with an introduction to the area of molecular and cellular biology. Molecular and Cellular Biology examines the cell as an organism emphasizing'
  ➜ Skipping stray line: 'molecular basis of cell structure and functions of biological macromolecules, subcellular organelles, intracellular transport, cell division, and biological'
  ➜ Skipping stray line: 'reactions. Prerequisite: Introduction to Biology.'
  ➜ Skipping stray line: 'C889 - Molecular and Cellular Biology - Molecular and Cellular Biology provides students seeking licensure or endorsement in biology, grades 5-12,'
  ➜ Skipping stray line: 'with an introduction to the area of molecular and cellular biology. Molecular and Cellular Biology examines the cell as an organism emphasizing'
  ➜ Skipping stray line: 'molecular basis of cell structure and functions of biological macromolecules, subcellular organelles, intracellular transport, cell division, and biological'
  ➜ Skipping stray line: 'reactions. Prerequisite: Introduction to Biology.'
  ➜ Skipping stray line: 'C890 - Ecology and Environmental Science - Ecology and Environmental Science is an introductory course for undergraduate students seeking'
  ➜ Skipping stray line: 'initial licensure or endorsement in science education for grades 5–12. The course explores the relationships between organisms and their'
  ➜ Skipping stray line: 'environment, including population ecology, communities, adaptations, distributions, interactions, and the environmental factors controlling these'
  ➜ Skipping stray line: 'relationships. This course has no prerequisites.'
  ➜ Skipping stray line: 'C891 - Ecology and Environmental Science - Ecology and Environmental Science is an introductory course for graduate students seeking initial'
  ➜ Skipping stray line: 'licensure or endorsement in science education for grades 5–12. The course introduction to ecology and environmental science and explores the'
  ➜ Skipping stray line: 'relationships between organisms and their environment, including population ecology, communities, adaptations, distributions, interactions, and the'
  ➜ Skipping stray line: 'environmental factors controlling these relationships. This course has no prerequisites.'
  ➜ Skipping stray line: 'C892 - Geology II: Earth Systems - Geology II: Earth Systems provides undergraduate students seeking licensure or endorsement in science'
  ➜ Skipping stray line: 'education for grades 5-12 with an examination of the geosphere, atmosphere, hydrosphere, and biosphere, and the dynamic equilibrium of these'
  ➜ Skipping stray line: 'systems over geologic time. This course also examines the history of Earth and its life-forms, with an emphasis in meteorology. A prerequisite for this'
  ➜ Skipping stray line: 'course is Geology I: Physical.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 169'
  ➜ Skipping stray line: 'C893 - Geology II: Earth Systems - Geology II: Earth Systems provides graduate students seeking licensure or endorsement in science education'
  ➜ Skipping stray line: 'for grades 5-12 with an examination of the geosphere, atmosphere, hydrosphere, and biosphere, and the dynamic equilibrium of these systems over'
  ➜ Skipping stray line: 'geologic time. This course also examines the history of Earth and its life-forms, with an emphasis in meteorology. A prerequisite for this course is'
  ➜ Skipping stray line: 'Geology I: Physical.'
  ➜ Skipping stray line: 'C894 - Astronomy - This course provides undergraduate students seeking initial licensure or endorsement in geosciences for grades 5−12 with'
  ➜ Skipping stray line: 'essential knowledge of astronomy and explores Western history and basic physics of astronomy; phases of the moon and seasons; composition and'
  ➜ Skipping stray line: 'properties of solar system bodies; stellar evolution and remnants; properties and scale of objects and distances within the universe; and introductory'
  ➜ Skipping stray line: 'cosmology. A prerequisite for this course is General Physics.'
  ➜ Skipping stray line: 'C895 - Astronomy - This course provides graduate students seeking initial licensure or endorsement in geosciences for grades 5−12 with essential'
  ➜ Skipping stray line: 'knowledge of astronomy and explores Western history and basic physics of astronomy; phases of the moon and seasons; composition and properties'
  ➜ Skipping stray line: 'of solar system bodies; stellar evolution and remnants; properties and scale of objects and distances within the universe; and introductory cosmology.'
  ➜ Skipping stray line: 'A prerequisite for this course is General Physics.'
  ➜ Skipping stray line: 'C896 - Science Methods - Science Methods provides undergraduate students seeking initial licensure or endorsement in the sciences for grades'
  ➜ Skipping stray line: '5-12 with an introduction to science teaching methods and laboratory safety training. Course content focuses on designing and teaching with the three'
  ➜ Skipping stray line: 'dimensions of science: disciplinary core ideas, crosscutting concepts, and science and engineering practices. Laboratory safety training and'
  ➜ Skipping stray line: 'certification will include the proper use of personal protective equipment and safe laboratory practices and procedures in science classrooms. This'
  ➜ Skipping stray line: 'course has no prerequisites.'
  ➜ Skipping stray line: 'C897 - Mathematics: Content Knowledge - Mathematics: Content Knowledge is designed to help candidates refine and integrate the mathematics'
  ➜ Skipping stray line: 'content knowledge and skills necessary to become successful secondary mathematics teachers. A high level of mathematical reasoning skills and the'
  ➜ Skipping stray line: 'ability to solve problems are necessary to complete this course. Prerequisites for this course are College Geometry, Probability and Statistics I, and'
  ➜ Skipping stray line: 'Pre-Calculus.'
  ➜ Skipping stray line: 'C898 - Earth Science: Content Knowledge - This course covers the advanced content knowledge that a secondary Earth Science teachers is'
  ➜ Skipping stray line: 'expected to know and understand. Topics include basic scientific principles of Earth and Space Sciences, tectonics and internal Earth processes,'
  ➜ Skipping stray line: 'Earth materials and surface processes, history of the Earth and its Life-Forms, Earth's atmosphere and hydrosphhere, and astronomy.'
  ➜ Skipping stray line: 'C900 - Biology: Content Knowledge - This comprehensive course examines a student’s conceptual understanding of a broad range of biology'
  ➜ Skipping stray line: 'topics. High school biology teachers must help students make connections between isolated topics. For example, when studying hormones created by'
  ➜ Skipping stray line: 'endocrine glands traveling through the circulatory system to maintain homeostasis, a student is connecting many biology topics. This course starts'
  ➜ Skipping stray line: 'with macromolecules that make up cellular components and continues with understanding the many cellular processes that allow life to exist.'
  ➜ Skipping stray line: 'Connections are then made between genetics and evolution. Classification of organisms leads into plant and animal development that study the organ'
  ➜ Skipping stray line: 'systems and their role in maintaining homeostasis. The course finishes by studying ecology and how humans affect the environment.'
  ➜ Skipping stray line: 'C901 - Physics: Content Knowledge - Physics: Content Knowledge covers the advanced content knowledge that a secondary physics teacher is'
  ➜ Skipping stray line: 'expected to know and understand. Topics include mechanics, electricity and magnetism, optics and waves, heat and thermodynamics, modern'
  ➜ Skipping stray line: 'physics, atomic and nuclear structure, the history and nature of science, science technology, and social perspectives.'
  ➜ Skipping stray line: 'C902 - Middle School Science: Content Knowledge - This course covers the content knowledge that a middle-level science teacher is expected to'
  ➜ Skipping stray line: 'know and understand. Topics include scientific methodologies, history of science, basic science principles, physical sciences, life sciences, Earth and'
  ➜ Skipping stray line: 'space sciences, and the role of science and technology and their impact on society.'
  ➜ Skipping stray line: 'C903 - Middle School Mathematics: Content Knowledge - Mathematics: Middle School Content Knowledge is designed to help candidates refine'
  ➜ Skipping stray line: 'and integrate the mathematics content knowledge and skills necessary to become successful middle school mathematics teachers. A high level of'
  ➜ Skipping stray line: 'mathematical reasoning skills and the ability to solve problems are necessary to complete this course. Prerequisites for this course are College'
  ➜ Skipping stray line: 'Geometry, Probability and Statistics I, and Pre-Calculus.'
  ➜ Skipping stray line: 'C904 - Teacher Performance Assessment in Science - The Teacher Performance Assessment in Science is a culmination of the wide variety of'
  ➜ Skipping stray line: 'skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a'
  ➜ Skipping stray line: 'collection of your content, planning, instructional, and'
  ➜ Skipping stray line: 'reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C907 - Introduction to Biology - This course is a foundational introduction to the biological sciences. The overarching theories of life from biological'
  ➜ Skipping stray line: 'research are explored as well as the fundamental concepts and principles of the study of living organisms and their interaction with the environment.'
  ➜ Skipping stray line: 'Key concepts include how living organisms use and produce energy; how life grows, develops, and reproduces; how life responds to the environment'
  ➜ Skipping stray line: 'to maintain internal stability; and how life evolves and adapts to the environment.'
  ➜ Skipping stray line: 'C908 - Integrated Physical Sciences - This course provides students with an overview of the basic principles and unifying ideas of the physical'
  ➜ Skipping stray line: 'sciences: physics, chemistry, and Earth sciences. Course materials focus on scientific reasoning and practical and everyday applications of physical'
  ➜ Skipping stray line: 'science concepts to help students integrate conceptual knowledge with practical skills.'
  ➜ Skipping stray line: 'C909 - Elementary Reading Methods and Interventions - Elementary Reading Methods and Interventions provides students seeking initial teacher'
  ➜ Skipping stray line: 'licensure in elementary education with an in-depth look at best practices for developing the reading and writing skills of all students. Course content'
  ➜ Skipping stray line: 'examines the stages of literacy development, the balanced literacy approach, differentiation, technology integration, literacy-assessment, and the'
  ➜ Skipping stray line: 'comprehensive Response to Intervention (RTI) model used to identify and address the needs of learners who struggle with reading comprehension.'
  ➜ Skipping stray line: 'This course has no prerequisites.'
  ➜ Skipping stray line: 'C910 - Elementary Reading Methods and Interventions - Elementary Reading Methods and Interventions provides students seeking initial teacher'
  ➜ Skipping stray line: 'licensure in elementary education with an in-depth look at best practices for developing the reading and writing skills of all students. Course content'
  ➜ Skipping stray line: 'examines the stages of literacy development, the balanced literacy approach, differentiation, technology integration, literacy-assessment, and the'
  ➜ Skipping stray line: 'comprehensive Response to Intervention (RTI) model used to identify and address the needs of learners who struggle with reading comprehension.'
  ➜ Skipping stray line: 'This course has no prerequisites.'
  ➜ Skipping stray line: 'C912 - College Algebra - This course provides further application and analysis of algebraic concepts and functions through mathematical modeling of'
  ➜ Skipping stray line: 'real-world situations. Topics include: real numbers, algebraic expressions, equations and inequalities, graphs and functions, polynomial and rational'
  ➜ Skipping stray line: 'functions, exponential and logarithmic functions, and systems of linear equations.'
  ➜ Skipping stray line: 'C913 - Psychology for Educators - This course prepares candidates to meet the expectations of society and prepares future educators to support'
  ➜ Skipping stray line: 'classroom practice with research-validated concepts. The course helps future educators to create a framework for refining teaching skills that are'
  ➜ Skipping stray line: 'focused on the learner, through engaged inquiry of integrating theory, critical issues in psychology, classroom applications with diverse populations,'
  ➜ Skipping stray line: 'assessment, educational technology, and reflective teaching.'
  ➜ Skipping stray line: 'C914 - Teacher Performance Assessment in Mathematics Education - The Teacher Performance Assessment is a culmination of the wide variety'
  ➜ Skipping stray line: 'of skills learned during your time'
  ➜ Skipping stray line: 'in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of your content,'
  ➜ Skipping stray line: 'planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 170'
  ➜ Skipping stray line: 'C915 - Chemistry: Content Knowledge - Chemistry: Content Knowledge provides advanced instruction in the main areas of chemistry for which'
  ➜ Skipping stray line: 'secondary chemistry teachers are expected to demonstrate competency. Topics include matter and energy, thermochemistry, structure, bonding,'
  ➜ Skipping stray line: 'reactivity, biochemistry and organic chemistry, solutions, nature of science, technology and social perspectives, mathematics, and laboratory'
  ➜ Skipping stray line: 'procedures.'
  ➜ Skipping stray line: 'C925 - Earth: Inside and Out - Earth: Inside and Out explores the ways in which our dynamic planet evolved, and the processes and systems that'
  ➜ Skipping stray line: 'continue to shape it. Though the geologic record is incredibly ancient, it has only been studied intensely since the end of the nineteenth century. Since'
  ➜ Skipping stray line: 'then, research in fields such as geologic time, plate tectonics, climate change, exploration of the deep sea floor, and the inner earth have vastly'
  ➜ Skipping stray line: 'increased our understanding of geological processes. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C926 - Earth: Inside and Out - Earth: Inside and Out explores the ways in which our dynamic planet evolved, and the processes and systems that'
  ➜ Skipping stray line: 'continue to shape it. Though the geologic record is incredibly ancient, it has only been studied intensely since the end of the nineteenth century. Since'
  ➜ Skipping stray line: 'then, research in fields such as geologic time, plate tectonics, climate change, exploration of the deep sea floor, and the inner earth have vastly'
  ➜ Skipping stray line: 'increased our understanding of geological processes. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C930 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C931 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C932 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C933 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C934 - Preclinical Experiences in Elementary and Special Education - Preclinical Experiences in Elementary and Special Education provides'
  ➜ Skipping stray line: 'students the opportunity to observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence'
  ➜ Skipping stray line: 'necessary to be an effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the'
  ➜ Skipping stray line: 'classroom for the observations, students will be required to meet several requirements including a cleared background check, passing scores on the'
  ➜ Skipping stray line: 'state or WGU required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C935 - Preclinical Experiences in Elementary Education - Preclinical Experiences in Elementary Education provides students the opportunity to'
  ➜ Skipping stray line: 'observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an'
  ➜ Skipping stray line: 'effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the'
  ➜ Skipping stray line: 'observations, students will be required to meet several requirements including a cleared background check, passing scores on the state or WGU'
  ➜ Skipping stray line: 'required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C936 - Preclinical Experiences in Elementary Education - Preclinical Experiences in Elementary Education provides students the opportunity to'
  ➜ Skipping stray line: 'observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an'
  ➜ Skipping stray line: 'effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the'
  ➜ Skipping stray line: 'observations, students will be required to meet several requirements including a cleared background check, passing scores on the state or WGU'
  ➜ Skipping stray line: 'required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C937 - Preclinical Experiences in Science - Preclinical Experiences in Science provides students the opportunity to observe and participate in a'
  ➜ Skipping stray line: 'wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will'
  ➜ Skipping stray line: 'reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required'
  ➜ Skipping stray line: 'to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed'
  ➜ Skipping stray line: 'resume.'
  ➜ Skipping stray line: 'C938 - Preclinical Experiences in Science - Preclinical Experiences in Science provides students the opportunity to observe and participate in a'
  ➜ Skipping stray line: 'wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will'
  ➜ Skipping stray line: 'reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required'
  ➜ Skipping stray line: 'to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed'
  ➜ Skipping stray line: 'resume.'
  ➜ Skipping stray line: 'CQC2 - Calculus II - Calculus II is the study of the accumulation of change in relation to the area under a curve. It covers the knowledge and skills'
  ➜ Skipping stray line: 'necessary to apply integral calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include'
  ➜ Skipping stray line: 'antiderivatives; indefinite integrals; the substitution rule; Riemann sums; the Fundamental Theorem of Calculus; definite integrals; acceleration,'
  ➜ Skipping stray line: 'velocity, position, and initial values; integration by parts; integration by trigonometric substitution; integration by partial fractions; numerical integration;'
  ➜ Skipping stray line: 'improper integration; area between curves; volumes and surface areas of revolution; arc length; work; center of mass; separable differential equations;'
  ➜ Skipping stray line: 'direction fields; growth and decay problems; and sequences. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'CUA1 - Culture - Focuses on the nature and role of culture and the importance of cultural groups and cultural identity.'
  ➜ Skipping stray line: 'CWEL - Capstone Written Project in Educational Leadership - The capstone project will consist of the design and implementation of a short-term'
  ➜ Skipping stray line: 'datadriven school improvement initiative. Through the case study approach and during the capstone experience, you will identify one or more'
  ➜ Skipping stray line: 'measurable outcome improvement areas in your case study / practicum site. You will propose and develop short-term school improvement initiatives'
  ➜ Skipping stray line: 'and will then measure the outcomes and results of your implemented improvement initiatives.'
  ➜ Skipping stray line: 'CZC1 - Accounting II - Accounting II is a continuation of the topics that were addressed in Accounting I. Accounting II focuses on ways in which'
  ➜ Skipping stray line: 'accounting principles are used in business operations, deepening the student's understanding of Generally Accepted Accounting Principles (GAAP),'
  ➜ Skipping stray line: 'inventory, liabilities, and budgets. This course also introduces topics that are important for corporate accounting and financial analysis.'
  ➜ Skipping stray line: 'DPT1 - Physics: Electricity and Magnetism - Physics: Electricity and Magnetism addresses principles related to the physics of electricity and'
  ➜ Skipping stray line: 'magnetism. Students will study electric and magnetic forces and then apply that knowledge to the study of circuits with resistors and electromagnetic'
  ➜ Skipping stray line: 'induction and waves, focusing on such topics as: Electric charge and electric field, electric currents and resistance, magnetism, electromagnetic'
  ➜ Skipping stray line: 'induction and Faraday's law, and Maxwell's equation and electromagnetic waves.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 171'
  ➜ Skipping stray line: 'DPT2 - Physics: Electricity and Magnetism - Physics: Electricity and Magnetism addresses principles related to the physics of electricity and'
  ➜ Skipping stray line: 'magnetism. Students will study electric and magnetic forces and then apply that knowledge to the study of circuits with resistors and electromagnetic'
  ➜ Skipping stray line: 'induction and waves, focusing on such topics as: Electric charge and electric field, electric currents and resistance, magnetism, electromagnetic'
  ➜ Skipping stray line: 'induction and Faraday's law, and Maxwell's equation and electromagnetic waves.'
  ➜ Skipping stray line: 'DRC1 - Educational Assessment - Educational Assessment assists students in making appropriate data-driven instructional decisions by exploring'
  ➜ Skipping stray line: 'key concepts relevant to the administration, scoring, and interpretation of classroom assessments. Topics include ethical assessment practices,'
  ➜ Skipping stray line: 'designing assessments, aligning assessments, and utilizing technology for assessment.'
  ➜ Skipping stray line: 'DWP2 - Application of Elementary Social Studies Methods - Application of Elementary Social Studies Methods helps students learn how to'
  ➜ Skipping stray line: 'implement effective social studies instruction in the elementary classroom. Topics include social studies themes, promoting cultural diversity,'
  ➜ Skipping stray line: 'integrated social studies across the curriculum, social studies learning environments, assessing social studies understanding, differentiated instruction'
  ➜ Skipping stray line: 'for social studies, technology for social studies instruction, and standards-based social studies instruction. This course helps students to apply,'
  ➜ Skipping stray line: 'analyze, and reflect on effective elementary social studies instruction.'
  ➜ Skipping stray line: 'DZP2 - Application of Elementary Visual and Performing Arts Methods - Application of Elementary Visual and Performing Arts Methods helps'
  ➜ Skipping stray line: 'students learn how to implement effective visual and performing arts instruction in the elementary classroom. Topics include integrating arts across the'
  ➜ Skipping stray line: 'curriculum, music education, visual arts, dance and movement, dramatic arts, differentiated instruction for visual and performing arts, and promoting'
  ➜ Skipping stray line: 'cultural diversity through visual and performing arts instruction. This course helps students to apply, analyze, and reflect on effective elementary visual'
  ➜ Skipping stray line: 'and performing arts instruction.'
  ➜ Skipping stray line: 'EBP2 - Application of Elementary Physical Education and Health Methods - Applications of Elementary Physical Education and Health Methods'
  ➜ Skipping stray line: 'helps students learn how to implement effective physical and health education instruction in the elementary classroom. Topics include healthy'
  ➜ Skipping stray line: 'lifestyles, student safety, student nutrition, physical education, differentiated instruction for physical and health education, physical education across'
  ➜ Skipping stray line: 'the curriculum, and public policy in health and physical education. This course helps students to apply, analyze, and reflect on effective elementary'
  ➜ Skipping stray line: 'visual and performing arts instruction.'
  ➜ Skipping stray line: 'EFP1 - Cultural Studies and Diversity - Cultural Studies and Diversity focuses on the development of cultural awareness. Students will analyze the'
  ➜ Skipping stray line: 'role of culture in today’s world, develop culturally-responsive practices, and understand the barriers to and the benefits of diversity.'
  ➜ Skipping stray line: 'EFV1 - Behavioral Management and Intervention - Behavioral Management and Intervention explores the challenges of working with students with'
  ➜ Skipping stray line: 'emotional and behavioral disabilities and helps students learn about theories, interventions, practices, and assessments that can influence these'
  ➜ Skipping stray line: 'children's opportunities for success. It further helps students better be able to make decisions about how to strategize behavior'
  ➜ Skipping stray line: 'adjustments for individual students.'
  ➜ Skipping stray line: 'EFV2 - Behavioral Management and Intervention - Behavioral Management and Intervention explores the challenges of working with students with'
  ➜ Skipping stray line: 'emotional and behavioral disabilities and helps students learn about theories, interventions, practices, and assessments that can influence these'
  ➜ Skipping stray line: 'children's opportunities for success. It further helps students better be able to make decisions about how to strategize behavior adjustments for'
  ➜ Skipping stray line: 'individual students.'
  ➜ Skipping stray line: 'ELO1 - Subject Specific Pedagogy: ELL - Subject Specific Pedagogy: ELL integrates aspects of pedagogy, assessment, and professionalism in'
  ➜ Skipping stray line: 'English Language Learning (ELL). A student develops and assesses aspects of language curriculum development including second language'
  ➜ Skipping stray line: 'instruction, methods of second language assessment, and legal policy issues.'
  ➜ Skipping stray line: 'EST1 - Ethical Situations in Business - Ethical Situations in Business explores various scenarios in business and helps students learn to develop'
  ➜ Skipping stray line: 'ethical and socially responsible courses of action. Students will also learn to develop an appropriate and comprehensive ethics program for a business'
  ➜ Skipping stray line: 'venture.'
  ➜ Skipping stray line: 'EXP2 - College Geometry - College Geometry covers the knowledge and skills necessary to apply geometry to model and solve real-life problems, to'
  ➜ Skipping stray line: 'do formal axiomatic proofs in geometry, and to use dynamic technology to explore geometry. Topics include axiomatic systems and analytic proof;'
  ➜ Skipping stray line: 'non-Euclidean geometries; construction, analytic, and synthetic methods for investigating and proving properties and relationships of two- and three-'
  ➜ Skipping stray line: 'dimensional objects; geometric transformations, tessellations, and using inductive reasoning; concrete models; and dynamic technology to conduct'
  ➜ Skipping stray line: 'geometric investigations. College Algebra and Pre-Calculus are prerequisites for this course.'
  ➜ Skipping stray line: 'FCC1 - Introduction to Special Education, Law and Legal Issues - Introduction to Special Education, Law and Legal Issues introduces the history'
  ➜ Skipping stray line: 'and nature of special education and how it relates to general education, as well as specific legal acts and concepts governing it. Topics include history'
  ➜ Skipping stray line: 'of special education, the Individuals with Disabilities Education Act, the No Child Left Behind Act, FAPE (free, appropriate public education), and least'
  ➜ Skipping stray line: 'restrictive environments.'
  ➜ Skipping stray line: 'FCC2 - Introduction to Special Education, Law and Legal Issues, Policies and Procedures - Introduction to Special Education, Law and Legal'
  ➜ Skipping stray line: 'Issues, Policies and Procedures introduces the history and nature of special education and how it relates to general education, as well as specific'
  ➜ Skipping stray line: 'legal acts and concepts governing it. Topics include history of special education, the Individuals with Disabilities Education Act, the No Child Left'
  ➜ Skipping stray line: 'Behind Act, FAPE (free, appropriate public education), and least restrictive environments.'
  ➜ Skipping stray line: 'FEA1 - Field Experience for ELL - Field Experience for ELL is the field experience component of the English Language Learning program. In this'
  ➜ Skipping stray line: 'experience, students are required to complete a minimum of 15 hours of observations at both elementary and secondary levels. Additionally, a'
  ➜ Skipping stray line: 'supervised teaching experience that is face-to-face with English language learners according to the minimum time requirements of your state is'
  ➜ Skipping stray line: 'required. The purpose of this course is to assess the ability of the student including their engagement in field experience activities, ability to reflect on'
  ➜ Skipping stray line: 'and then plan standards-based instruction in ELL, and their ability to locate and effectively use resources for teaching ELL to meet the needs of their'
  ➜ Skipping stray line: 'individual students.'
  ➜ Skipping stray line: 'FJC1 - Psychoeducational Assessment Practices and IEP Development/Implementation - Psychoeducational Assessment Practices and IEP'
  ➜ Skipping stray line: 'Development/Implementation prepares students to apply knowledge the IEP as they work with students who have mild to moderate disabilities in a'
  ➜ Skipping stray line: 'wide variety of possible situations, all with an emphasis on cross-categorical inclusion. It helps students gain fluency in their understanding of the 13'
  ➜ Skipping stray line: 'disability categories, assessment, curriculum, and instruction.'
  ➜ Skipping stray line: 'FJC2 - Psychoeducational Assessment Practices and IEP Development/Implementation - Psychoeducational Assessment Practices and IEP'
  ➜ Skipping stray line: 'Development/Implementation prepares students to apply knowledge the IEP as they work with students who have mild to moderate disabilities in a'
  ➜ Skipping stray line: 'wide variety of possible situations, all with an emphasis on cross-categorical inclusion. It helps students gain fluency in their understanding of the 13'
  ➜ Skipping stray line: 'disability categories, assessment, curriculum, and instruction.'
  ➜ Skipping stray line: 'FLC1 - Instructional Models and Design, Supervision and Culturally Response Teaching - Instructional Models and Design, Supervision and'
  ➜ Skipping stray line: 'Culturally Response Teaching helps students understand the role of special education in the development of instruction, why this field exists separate'
  ➜ Skipping stray line: 'from and in conjunction with general education, where it is going, and how they can help coordinate inclusion for students. Students will gain expertise'
  ➜ Skipping stray line: 'in developing instructional, curricular, and environmental interventions based on assessment data and student need.'
  ➜ Skipping stray line: 'FLC2 - Instructional Models and Design, Supervision and Culturally Responsive Teaching - Instructional Models and Design, Supervision and'
  ➜ Skipping stray line: 'Culturally Responsive Teaching helps students understand the role of special education in the development of instruction, why this field exists'
  ➜ Skipping stray line: 'separate from and in conjunction with general education, where it is going, and how they can help coordinate inclusion for students. Students will gain'
  ➜ Skipping stray line: 'expertise in developing instructional, curricular, and environmental interventions based on assessment data and student need.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 172'
  ➜ Skipping stray line: 'FVC1 - Global Business - This course provides an introduction to global business. The advantages of global production and the benefits of trade are'
  ➜ Skipping stray line: 'critical aspects of global business. Many factors influence global business, such as transparency, geography, corruption, intellectual property'
  ➜ Skipping stray line: 'protections, outsourcing and off-shoring, operation management, and generally accepted accounting principles.'
  ➜ Skipping stray line: 'FXT2 - Disaster Recovery Planning, Prevention and Response - This course prepares students to plan and execute industry best practices related'
  ➜ Skipping stray line: 'to conducting organization-wide information assurance initiatives and to preparing an organization for implementing a comprehensive Information'
  ➜ Skipping stray line: 'Assurance Management program.'
  ➜ Skipping stray line: 'HMP1 - Cases in Advanced Human Resource Management - During Cases in Advanced Human Resource Management students apply their'
  ➜ Skipping stray line: 'knowledge of human resource management by completing a case study. Students will apply critical human resource strategies in the areas of'
  ➜ Skipping stray line: 'legal/regulatory compliance, recruitment and selection of personnel, performance and feedback mechanisms, and financial and benefits'
  ➜ Skipping stray line: 'compensation.'
  ➜ Skipping stray line: 'IDC1 - Foundations of Instructional Design - Foundations of Instructional Design provides an overview of how to select the most appropriate'
  ➜ Skipping stray line: 'learning theories, design processes, and instructional strategies based on learner audience, instructional setting, and current and desired state of'
  ➜ Skipping stray line: 'learning.'
  ➜ Skipping stray line: 'IYT2 - Introduction to Curriculum Theory - For over 200 years, educators in the United States have debated the purpose of education. Should'
  ➜ Skipping stray line: 'education be for enlightenment or to prepare students for the life of work? Should education be for many or for a select few? These questions continue'
  ➜ Skipping stray line: 'to be debated today. Through curriculum theory and reflection, educators have an educational framework by which to understand how theory and'
  ➜ Skipping stray line: 'one's philosophical views can impact the design, development, and implementation of curriculum and instruction. With this in mind, Introduction to'
  ➜ Skipping stray line: 'Curriculum Theory focuses on exploring and applying an understanding of Scholar Academic, Social Efficiency, Learner Centered, and Social'
  ➜ Skipping stray line: 'Reconstruction ideologies in various instructional settings and on the development on one’s own curriculum philosophy.'
  ➜ Skipping stray line: 'IZT2 - Learning Theories - Learning Theories focuses on the complexity of the current learning environment and how behaviorism, cognitivism,'
  ➜ Skipping stray line: 'constructivism, and personal learning philosophy can assist in the development of appropriate curriculum and instruction.'
  ➜ Skipping stray line: 'JIT2 - Risk Management - Content focuses on categorizing levels of risk and understanding how risk can impact the operations of the business'
  ➜ Skipping stray line: 'through a scenario involving the creation of a risk management program and business continuity program for a company and a business situation'
  ➜ Skipping stray line: 'reacting to a crisis/disaster situation affecting the company.'
  ➜ Skipping stray line: 'JNT2 - Instructional Design Analysis - Instructional Design Analysis focuses on using analysis of needs to determine the needs and interests of'
  ➜ Skipping stray line: 'learners, and scope and sequence for developing a logical approach for an education program to formulate appropriate and measurable program'
  ➜ Skipping stray line: 'objectives.'
  ➜ Skipping stray line: 'JOT2 - Issues in Instructional Design - Issues in Instructional Design focuses on learning theories, learner analysis, scope and sequence,'
  ➜ Skipping stray line: 'instructional strategies, task analysis and design theories, media and technology foundations, and adaptive technologies for special populations for'
  ➜ Skipping stray line: 'creating effective, well-articulated, and efficient instruction.'
  ➜ Skipping stray line: 'JPT2 - Instructional Design Production - Instructional Design Production focuses on the application of a systematic process of instructional design,'
  ➜ Skipping stray line: 'namely the concepts and procedure for analyzing and designing successful instruction. This course will prepare students to conduct a goal analysis, a'
  ➜ Skipping stray line: 'process used to identify instructional goals, as well as a task analysis, which is used to determine the skills and knowledge required to accomplish'
  ➜ Skipping stray line: 'those goals. This course also focuses on writing performance objectives, designing assessments, and developing instruction that incorporates relevant'
  ➜ Skipping stray line: 'learning theories. Methods for formatively evaluating a unit of instruction are also introduced. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'JQT2 - Issues in Measurement and Evaluation - Issues in Measurement and Evaluation focuses on the understanding of formative and summative'
  ➜ Skipping stray line: 'evaluation, quantitative and qualitative data collection tools, including rubrics and the processes of evaluation.'
  ➜ Skipping stray line: 'JRT2 - Evaluation Methodology and Instrumentation - Evaluation Methodology and Instrumentation focuses on using qualitative and quantitative'
  ➜ Skipping stray line: 'data collection tools and techniques to construct and evaluate valid and reliable measuring instruments.'
  ➜ Skipping stray line: 'JST2 - Evaluation Process and Recommendation - Evaluation Process and Recommendation focuses on implementing and interpreting an'
  ➜ Skipping stray line: 'evaluation and the reporting of the results and recommendations to stakeholders.'
  ➜ Skipping stray line: 'JWT2 - Instructional Theory - Instructional Theory focuses on exploring instructional design theory and related models and processes. Students will'
  ➜ Skipping stray line: 'apply instructional design principles to the design and delivery of plans to meet the learning needs found in the instructional setting.'
  ➜ Skipping stray line: 'JXT2 - Educational Psychology - Educational Psychology examines the latest findings in child and adolescent development and provides educators'
  ➜ Skipping stray line: 'the opportunity to apply educational psychology to various instructional settings. Students will explore the areas of applied educational psychology to'
  ➜ Skipping stray line: 'teaching, cognitive development, social development, and cultural development. They will design, develop, modify, and evaluate curriculum and'
  ➜ Skipping stray line: 'instruction in various educational settings according to child/adolescent development.'
  ➜ Skipping stray line: 'JYT2 - Curriculum Design - Curriculum Design focuses on exploring curriculum design theory, educational standards, and design frameworks for'
  ➜ Skipping stray line: 'what to teach. Together these topics will provide educators with the ability to take principles of curriculum design theory and related models and apply'
  ➜ Skipping stray line: 'them when developing, designing, and modifying curriculum to meet learning needs in their instructional setting.'
  ➜ Skipping stray line: 'JZT2 - Curriculum Evaluation - Curriculum Evaluation focuses on exploring evaluation systems and student data to determine the effectiveness of'
  ➜ Skipping stray line: 'curriculum. It also focuses on differentiating curriculum based on student data.'
  ➜ Skipping stray line: 'KAT2 - Assessment for Student Learning - Assessment for Student Learning focuses on developing the knowledge and skills to identify, develop,'
  ➜ Skipping stray line: 'and design instrument tools for evaluating student learning. It also explores the use of objective and performance-based, formative, and summative'
  ➜ Skipping stray line: 'assessments and their results in the evaluation of curriculum and instruction for student learning.'
  ➜ Skipping stray line: 'KBT2 - Differentiated Instruction - Differentiated Instruction focuses on developing and implementing curriculum and instruction that that best meets'
  ➜ Skipping stray line: 'the needs of all learners within a given instructional setting.'
  ➜ Skipping stray line: 'LEC1 - Comprehensive Educational Leadership Integration - You will complete a comprehensive objective proctored assessment in Educational'
  ➜ Skipping stray line: 'Leadership theory and practices, including administrative theory, school law, school finance, curriculum development and implementation, personnel'
  ➜ Skipping stray line: 'management, public relations, and technology. You will be required to pass the Comprehensive Educational Leadership Integration objective'
  ➜ Skipping stray line: 'assessment.'
  ➜ Skipping stray line: 'LFT1 - Student, Stakeholder, and Market Focus for Educational Leaders - This subdomain reviews principles and practices of meeting'
  ➜ Skipping stray line: 'stakeholder needs and reviews your case study site’s effectiveness in managing stakeholder relationships.'
  ➜ Skipping stray line: 'LMT1 - Measurement, Analysis, and Knowledge Management for Educational Leaders - This subdomain reviews principles and practices of'
  ➜ Skipping stray line: 'program and curriculum effectiveness evaluation as well as best practices in technology for educational leaders. You also complete a program,'
  ➜ Skipping stray line: 'practice, or curriculum effectiveness evaluation in your case study site as well as an evaluation of technology implementation.'
  ➜ Skipping stray line: 'LNT1 - Process Management for Educational Leaders - This subdomain reviews best practices in process management for educational leaders, as'
  ➜ Skipping stray line: 'well as an evaluation of your case study site’s process management policies and practices.'
  ➜ Skipping stray line: 'LPA1 - Language Production, Theory and Acquisition - Language Production, Theory and Acquisition focuses on describing and understanding'
  ➜ Skipping stray line: 'language and the development of language. It includes the study of acquisition theory, grammar, and applied phonetics.'
  ➜ Skipping stray line: 'LPT1 - Performance Excellence Criteria for Educational Leaders - This subdomain reviews the case study model and prepares you to complete a'
  ➜ Skipping stray line: 'thorough review of the effectiveness of their case study site’s operations, outcomes, and leadership.'
  ➜ Skipping stray line: 'LQT2 - Information Security and Assurance Capstone Project - Students will be able to choose from three areas of emphasis, depending on'
  ➜ Skipping stray line: 'personal and professional interests. Students will complete a capstone project that deals with a significant real-world business problem that further'
  ➜ Skipping stray line: 'integrates the components of the degree. Capstone projects will require an oral defense before a committee of WGU faculty.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 173'
  ➜ Skipping stray line: 'LRT1 - Practicum in Educational Leadership - Foundational Perspectives of Education includes a series of performance tasks to take place under'
  ➜ Skipping stray line: 'the leadership of a practicing state licensed school principal or assistant principal in a practicum school site (K–12). This assessment also includes'
  ➜ Skipping stray line: 'completion of assigned administrative duties to take place in both elementary (K–6) and secondary (7–12) settings under the leadership and'
  ➜ Skipping stray line: 'supervision of the cooperating administrator in your case study school site. Practicum requirements vary by state of intended licensure and WGU'
  ➜ Skipping stray line: 'program requirements, and the standard has been set between 275 and 540 of logged practicum activities that span a minimum of six consecutive'
  ➜ Skipping stray line: 'months. Please refer back to the WGU Student Handbook for reference of your program requirements. You are required to pass the Practicum in'
  ➜ Skipping stray line: 'Educational Leadership performance assessments and successfully submit other documentation, including evaluations of your performance'
  ➜ Skipping stray line: 'completed by the cooperating administrator and documentation of completion of state-required hours of assigned administrative duties. The'
  ➜ Skipping stray line: 'Educational Leadership Practicum requires a practicum fee. During the Educational Leadership Practicum, you are also expected to take and pass'
  ➜ Skipping stray line: 'your state's licensure examination(s) required for certification as a school principal and the PRAXIS 5411 Educational Leadership: Administration and'
  ➜ Skipping stray line: 'Supervision exam.'
  ➜ Skipping stray line: 'LST1 - Strategic Planning for Educational Leaders - This subdomain reviews principles and practices of the strategic planning process as well as a'
  ➜ Skipping stray line: 'case study review of the strategic planning processes in your case study site.'
  ➜ Skipping stray line: 'LWT1 - Workforce Focus for Educational Leaders - This subdomain reviews best practices in human resource administration for educational'
  ➜ Skipping stray line: 'leaders, as well as an evaluation of your case study site’s workforce management practices.'
  ➜ Skipping stray line: 'LZT2 - Power, Influence and Leadership - This course focuses on the development of the critical leadership and soft skills necessary for success in'
  ➜ Skipping stray line: 'information technology leadership and management. The course focuses specifically on skills such as cultivating effective leadership communication,'
  ➜ Skipping stray line: 'building personal influence, enhancing emotional intelligence (soft skills), generating ideas and encouraging idea generation in others, conflict'
  ➜ Skipping stray line: 'resolution, and positioning oneself as an influential change agent within different organizational cultures.'
  ➜ Skipping stray line: 'MAT2 - Information Technology Management - This course will prepare students to cope with information technology resources in a manner'
  ➜ Skipping stray line: 'beneficial to their company. Such skill includes estimating both the cost and value of IT to the company, setting priorities for project selection,'
  ➜ Skipping stray line: 'management of IT projects, and handling risk. These responsibilities imply an ability to align technology with an organization’s strategic goals. In total,'
  ➜ Skipping stray line: 'students will develop the ability to effectively administer and manage current and emerging technologies within an organization.'
  ➜ Skipping stray line: 'MBT2 - Technological Globalization - This course is designed to equip students to better understand the fundamental, galvanizing and'
  ➜ Skipping stray line: 'transformational role of advanced IT communications, networks and services in all major industries; advanced IT is an unparalleled force multiplier in'
  ➜ Skipping stray line: 'scientific research, energy production and use, health and medicine. IT is a critical resource in the global community, economically, socially, politically'
  ➜ Skipping stray line: 'and culturally.'
  ➜ Skipping stray line: 'MCT2 - Technical Writing - As IT professionals are frequently required to interface with customers, clients, other departments, organizational leaders,'
  ➜ Skipping stray line: 'and even other institutions, strong communication skills are vital. In this course, students learn to communicate accurately, effectively, and ethically to'
  ➜ Skipping stray line: 'a variety of audiences. Students design communication to fit oral, print, and multi-media contexts. They develop rhetorical sensitivity in both their'
  ➜ Skipping stray line: 'writing and their design decisions.'
  ➜ Skipping stray line: 'MEC1 - Foundations of Measurement and Evaluation - Foundations of Measurement and Evaluation focuses on assessment validity, constructing'
  ➜ Skipping stray line: 'reliable test instruments, identifying appropriate item and instrument types, qualitative data collection tools and techniques, and conducting a formative'
  ➜ Skipping stray line: 'and summative evaluation for an instruction product or program.'
  ➜ Skipping stray line: 'MFT2 - Mathematics (K-6) Portfolio Oral Defense - Mathematics (K-6) Portfolio Oral Defense: Mathematics (K-6) Portfolio Defense focuses on a'
  ➜ Skipping stray line: 'formal presentation. The student will present an overview of their teacher work sample (TWS) portfolio discussing the challenges they faced and how'
  ➜ Skipping stray line: 'they determined whether their goals were accomplished. They will explain the process they went through to develop the TWS portfolio and reflect on'
  ➜ Skipping stray line: 'the methodologies and outcomes of the strategies discussed in the TWS portfolio. Additionally, they will discuss the strengths and weaknesses of'
  ➜ Skipping stray line: 'those strategies and how they can apply what they learned from the TWS portfolio in their professional work environment.'
  ➜ Skipping stray line: 'MGT2 - IT Project Management - IT Project Management provides an overview of the Project Management Institute’s project management'
  ➜ Skipping stray line: 'methodology. Topics cover various process groups and knowledge areas and application of knowledge in case studies for planning a project that has'
  ➜ Skipping stray line: 'not started yet and monitoring/controlling a project that is already underway.'
  ➜ Skipping stray line: 'MMT2 - IT Strategic Solutions - In IT Strategic Solutions the learner will have the opportunity to identify strategic opportunities and emerging'
  ➜ Skipping stray line: 'technologies as they research and decide on a system to support a growing company. Topics will include technology strategy; gap analysis;'
  ➜ Skipping stray line: 'researching new technology; strengths, opportunities, weaknesses, and threats; ethics; risk mitigation; data security, communication plans; and'
  ➜ Skipping stray line: 'globalization.'
  ➜ Skipping stray line: 'NHC1 - Introduction to Instructional Planning and Presentation - Students will develop a basic understanding of effective instructional principles'
  ➜ Skipping stray line: 'and how to differentiate instruction in order to elicit powerful teaching in the classroom.'
  ➜ Skipping stray line: 'NMA1 - Professional Role of the ELL Teacher - The Professional Role of the ELL Teacher focuses on issues of professionalism for the English'
  ➜ Skipping stray line: 'Language Learning teacher and leader. This includes program development, ethics, engagement in professional organizations, serving as a resource,'
  ➜ Skipping stray line: 'and ELL advocacy.'
  ➜ Skipping stray line: 'NNA1 - Planning, Implementing, Managing Instruction - Planning, Implementing, Managing Instruction focuses on a variety of philosophies and'
  ➜ Skipping stray line: 'grade levels of English Language Learner (ELL) instruction. It includes the study of ELL listening and speaking, ELL reading and writing, specially'
  ➜ Skipping stray line: 'designed academic instruction in English (SDAIE), and specific issues for various grade level instruction.'
  ➜ Skipping stray line: 'OOT2 - Mathematics History and Technology - Mathematics History and Technology introduces a variety of technological tools for doing'
  ➜ Skipping stray line: 'mathematics, and you will develop a broad understanding of the historical development of mathematics. You will come to understand that'
  ➜ Skipping stray line: 'mathematics is a very human subject that comes from the macro-level sweep of cultural and societal change, as well as the micro-level actions of'
  ➜ Skipping stray line: 'individuals with personal, professional, and philosophical motivations. Most importantly, you will learn to evaluate and apply technological tools and'
  ➜ Skipping stray line: 'historical information to create an enriching student-centered mathematical learning environment. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'OPT2 - Mathematics Learning and Teaching - Mathematics Learning and Teaching will help you develop the knowledge and skills necessary to'
  ➜ Skipping stray line: 'become a prospective and practicing educator. You will be able to use a variety of instructional strategies to effectively facilitate the learning of'
  ➜ Skipping stray line: 'mathematics. This course focuses on selecting appropriate resources, using multiple strategies, and instructional planning, with methods based on'
  ➜ Skipping stray line: 'research and problem solving. A deep understanding of the knowledge, skills, and disposition of mathematics pedagogy is necessary to become an'
  ➜ Skipping stray line: 'effective secondary mathematics educator. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'PFHM - Business - HR Management Portfolio Requirement - Students prepare a culminating professional portfolio to demonstrate the'
  ➜ Skipping stray line: 'competencies they have learned throughout their program. The portfolio includes a strengths essay, a career report, a reflection essay, a résumé, and'
  ➜ Skipping stray line: 'exhibits demonstrating personal strengths in the work place.'
  ➜ Skipping stray line: 'PFIT - Business - IT Management Portfolio Requirement - Business - IT Management Portfolio Requirement is designed to help the learner'
  ➜ Skipping stray line: 'complete the culminating Undergraduate Business Portfolio assessment; it focuses on developing a business portfolio containing a strengths essay, a'
  ➜ Skipping stray line: 'career report, a reflection essay, a resume, and exhibits that support one’s strengths in the work place.'
  ➜ Skipping stray line: 'QDT1 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'
  ➜ Skipping stray line: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'
  ➜ Skipping stray line: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'
  ➜ Skipping stray line: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'
  ➜ Skipping stray line: 'Algebra is a prerequisite for this course.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 174'
  ➜ Skipping stray line: 'QDT2 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'
  ➜ Skipping stray line: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'
  ➜ Skipping stray line: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'
  ➜ Skipping stray line: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'
  ➜ Skipping stray line: 'Algebra is a prerequisite for this course.'
  ➜ Skipping stray line: 'QET1 - Business - HR Management Capstone Project - For the Business - HR Management Capstone Project students will integrate and'
  ➜ Skipping stray line: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ➜ Skipping stray line: 'professional field. A comprehensive business plan is developed for a company that offers HR products or services. The business plan includes a'
  ➜ Skipping stray line: 'market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ➜ Skipping stray line: 'QFT1 - Business - IT Management Capstone Project - The capstone requires students to demonstrate the integration and synthesis of'
  ➜ Skipping stray line: 'competencies in all domains required for the degree in Information Technology Management. The student produces a business plan for a start-up'
  ➜ Skipping stray line: 'company that is selected and approved by the student and mentor.'
  ➜ Skipping stray line: 'QGT1 - Business Management Capstone Written Project - For the Business Management Capstone Written Project students will integrate and'
  ➜ Skipping stray line: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ➜ Skipping stray line: 'professional field. A comprehensive business plan is developed for a company that plans to sell a product or service in a local market, national'
  ➜ Skipping stray line: 'market, or on the Internet. The business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to'
  ➜ Skipping stray line: 'the chosen company.'
  ➜ Skipping stray line: 'QHT1 - Business Management Tasks - Business Management Tasks addresses important concepts needed to effectively manage a'
  ➜ Skipping stray line: 'business. Topics include the cost-quality relationship, the use of various types of graphical charts in operations management, managing innovation,'
  ➜ Skipping stray line: 'and developing strategies for working with individuals and groups.'
  ➜ Skipping stray line: 'QIT1 - Business Marketing Management Capstone Written Project - For the Business Marketing Management Capstone Project students will'
  ➜ Skipping stray line: 'integrate and synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their'
  ➜ Skipping stray line: 'chosen professional field. A comprehensive business plan is developed for a company that provides some type of marketing product or service. The'
  ➜ Skipping stray line: 'business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ➜ Skipping stray line: 'QJT2 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to use'
  ➜ Skipping stray line: 'differential calculus of one variable and appropriate technology to solve basic problems. Topics include graphing functions and finding their domains'
  ➜ Skipping stray line: 'and ranges; limits, continuity, differentiability, visual, analytical, and conceptual approaches to the definition of the derivative; the power, chain, and'
  ➜ Skipping stray line: 'sum rules applied to polynomial and exponential functions, position and velocity; and L'Hopital's Rule. Candidates should have completed a course in'
  ➜ Skipping stray line: 'Pre-Calculus before engaging in this course.'
  ➜ Skipping stray line: 'QTT2 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ➜ Skipping stray line: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ➜ Skipping stray line: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ➜ Skipping stray line: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'RKT1 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ➜ Skipping stray line: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ➜ Skipping stray line: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ➜ Skipping stray line: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ➜ Skipping stray line: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ➜ Skipping stray line: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'RKT2 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ➜ Skipping stray line: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ➜ Skipping stray line: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ➜ Skipping stray line: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ➜ Skipping stray line: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ➜ Skipping stray line: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'RNT1 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ➜ Skipping stray line: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ➜ Skipping stray line: 'RNT2 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ➜ Skipping stray line: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ➜ Skipping stray line: 'RXT2 - Precalculus and Calculus - Precalculus and Calculus provides instruction in precalculus and calculus and applies them to examples found in'
  ➜ Skipping stray line: 'both mathematics and science. Topics in precalculus include principles of trigonometry, mathematical modeling, and logarithmic, exponential,'
  ➜ Skipping stray line: 'polynomial, and rational functions. Topics in calculus include conceptual knowledge of limit, continuity, differentiability, and integration.'
  ➜ Skipping stray line: 'SJT2 - Advanced Networking Technology - This course prepares students to support the ever growing interconnectivity needs of organizations.'
  ➜ Skipping stray line: 'Students will learn about advanced networking concepts, devices and strategies to provide superior network connectivity to organizations. A review of'
  ➜ Skipping stray line: 'common yet critical network devices and technologies will be provided such as switches, routers, hubs, firewalls, T-1s, ATM, fiber and others.'
  ➜ Skipping stray line: 'Students will also be prepared to review existing network environments and provide specifications to upgrade and enhance such networks.'
  ➜ Skipping stray line: 'SLO1 - Theories of Second Language Acquisition and Grammar - Theories of Second Language Learning Acquisition and Grammar covers'
  ➜ Skipping stray line: 'content material in applied linguistics, including morphology, syntax, semantics, and grammar. Students will explore the role of dialect in the'
  ➜ Skipping stray line: 'classroom, the connections between language and culture, and the theories of first and second language acquisition.'
  ➜ Skipping stray line: 'TAT2 - Technology Production - Technology Production focuses on the foundations of media and technology, integrated technology development,'
  ➜ Skipping stray line: 'and the integration of technology into appropriate instructional uses of productivity, and applying different research applications in the learning'
  ➜ Skipping stray line: 'environment.'
  ➜ Skipping stray line: 'TDT1 - Technology Design Portfolio - Technology Design Portfolio focuses on gaining a broad overview of the field of technology integration with a'
  ➜ Skipping stray line: 'fundamental understanding of some key concepts and principles, and enhancing technology skills to enable the producing of exportable instructional'
  ➜ Skipping stray line: 'and professional products using various integrated application programs.'
  ➜ Skipping stray line: 'TET1 - Issues in Technology Integration - Issues in Technology Integration focuses on the legal and ethical practice of technology, some personal'
  ➜ Skipping stray line: 'uses of electronic resources, the need for protection of information, the foundations of media and technology, what electronic learning communities'
  ➜ Skipping stray line: 'are, and the adaptive technologies for special populations.'
  ➜ Skipping stray line: 'TFT2 - Cyberlaw, Regulations, and Compliance - Cyberlaw, Regulations and Compliance prepares students to participate in legal analysis of'
  ➜ Skipping stray line: 'relevant cyberlaws and address governance, standards, policies, and legislation. Students will conduct a security risk analysis for an enterprise'
  ➜ Skipping stray line: 'system. In addition, students will determine cyber requirements for third‐party vendor agreements. Students will also evaluate provisions of both the'
  ➜ Skipping stray line: '2001 and 2006 USA PATRIOT Acts.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 175'
  ➜ Skipping stray line: 'TOC2 - Probability and Statistics I - Probability and Statistics I covers the knowledge and skills necessary to apply basic probability, descriptive'
  ➜ Skipping stray line: 'statistics, and statistical reasoning, and to use appropriate technology to model and solve real-life problems. It provides an introduction to the science'
  ➜ Skipping stray line: 'of collecting, processing, analyzing, and interpreting data. Topics include creating and interpreting numerical summaries and visual displays of data;'
  ➜ Skipping stray line: 'regression lines and correlation; evaluating sampling methods and their effect on possible conclusions; designing observational studies, controlled'
  ➜ Skipping stray line: 'experiments, and surveys; and determining probabilities using simulations, diagrams, and probability rules. College Algebra is a prerequisite for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'TQC1 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Skipping stray line: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Skipping stray line: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Skipping stray line: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Skipping stray line: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Skipping stray line: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Skipping stray line: 'TQC2 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Skipping stray line: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Skipping stray line: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Skipping stray line: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Skipping stray line: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Skipping stray line: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Skipping stray line: 'TSC2 - General Chemistry I - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Skipping stray line: 'solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic table and chemical'
  ➜ Skipping stray line: 'nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work focuses on using'
  ➜ Skipping stray line: 'effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TSP1 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Skipping stray line: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Skipping stray line: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TSP2 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Skipping stray line: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Skipping stray line: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TUC2 - General Chemistry II - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Skipping stray line: 'solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models, oxidation-reduction'
  ➜ Skipping stray line: 'reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on using effective'
  ➜ Skipping stray line: 'laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TUP1 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Skipping stray line: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Skipping stray line: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TUP2 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Skipping stray line: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Skipping stray line: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TVT2 - Governance, Finance, Law, and Leadership for Principals - This subdomain contains content in educational law, finance, and'
  ➜ Skipping stray line: 'administration as well as a case study review of your site’s leadership practices.'
  ➜ Skipping stray line: 'UFC1 - Managerial Accounting - This course focuses on identifying, gathering, and interpreting information that will be used for evaluating and'
  ➜ Skipping stray line: 'managing the performance of a business. Students will also study cost measurement for producing goods and services and how to analyze and'
  ➜ Skipping stray line: 'control these costs.'
  ➜ Skipping stray line: 'UQT1 - Organic Chemistry - This course focuses on the study of compounds that contain carbon, much of which is learning how to organize and'
  ➜ Skipping stray line: 'group these compounds based on common bonds found within them in order to predict their structure, behavior, and reactivity.'
  ➜ Skipping stray line: 'VLT2 - Security Policies and Standards - Best Practices - This course focuses on the practices of planning and implementing organization-wide'
  ➜ Skipping stray line: 'security and assurance initiatives as well as auditing assurance processes.'
  ➜ Skipping stray line: 'VYC1 - Principles of Accounting - Principles of Accounting focuses on ways in which accounting principles are used in business operations.'
  ➜ Skipping stray line: 'Students will learn about the basics of accounting, including how to use Generally Accepted Accounting Principles (GAAP), ledgers, and journals.'
  ➜ Skipping stray line: 'Students will also be introduced to the steps of the accounting cycle, concepts of assets and liabilities, and general information about accounting'
  ➜ Skipping stray line: 'information systems. This course also presents bank reconciliation methods, balance sheets, and business ethics.'
  ➜ Skipping stray line: 'VZT1 - Marketing Applications - Marketing Applications allows students to apply their knowledge of core marketing principles by creating a'
  ➜ Skipping stray line: 'comprehensive marketing plan. Their plan will apply their knowledge of the marketing planning process, market analysis, and the marketing mix'
  ➜ Skipping stray line: '(product, place, promotion, and price).'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 176'
  ➜ Skipping stray line: 'Course Mentor Directory'
  ➜ Skipping stray line: 'General Education'
  ➜ Skipping stray line: 'Adams, William; M.A., Savanah College of Art and Design'
  ➜ Skipping stray line: 'Aguirre, Jennifer; M.S., Walden University'
  ➜ Skipping stray line: 'Akens, Jonne; Ph. D., Texas A&M University'
  ➜ Skipping stray line: 'Alexander, Ledora; Ed.S., Walden University'
  ➜ Skipping stray line: 'Ashe, James; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Barnes, Lauri; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Baty, Amanda; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Benson, Bryan; Ph.D., Boston College'
  ➜ Skipping stray line: 'Bilbrey, Joshua; Ph.D., Texas State University'
  ➜ Skipping stray line: 'Borden, Anne; Ph.D., Emory University'
  ➜ Skipping stray line: 'Brewer, Craig: Ph.D., University of Notre Dame'
  ➜ Skipping stray line: 'Brown, Bonnie; Ph.D., Stephen F. Austin State University'
  ➜ Skipping stray line: 'Browning, Ellen; Ph.D., University of Texas, Arlington'
  ➜ Skipping stray line: 'Buchanan, Tenielle; Ed.D., Lipscomb University'
  ➜ Skipping stray line: 'Byrnes, Sean; Ph.D., Emory University'
  ➜ Skipping stray line: 'Carmona, Karla; M.S., Western Governors University'
  ➜ Skipping stray line: 'Castaneda, Gilivaldo; M.Ed., University of Texas at San Antonio'
  ➜ Skipping stray line: 'Chaves Ulloa, Ramsa; Ph.D., Dartmouth College'
  ➜ Skipping stray line: 'Chittick, Sharla; Ph.D., University of Stirling'
  ➜ Skipping stray line: 'Condit, Lorna; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Cowan, Christy; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Crawford, Nathan; Ph.D., University of Tennessee-Knoxville'
  ➜ Skipping stray line: 'Crooks, Kathleen; Ph.D., University of Akron'
  ➜ Skipping stray line: 'Cross, Cameron; M.S., Kaplan University'
  ➜ Skipping stray line: 'Cureton, Sara; M.A., Gonzaga Univeristy'
  ➜ Skipping stray line: 'Cutler, Ned; Ph.D., Duke University'
  ➜ Skipping stray line: 'Dodge, Joshua; M.A., University of Central Florida'
  ➜ Skipping stray line: 'Dorre, Gina; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Douglas, Katherine; M.A., University of California, San Diego'
  ➜ Skipping stray line: 'Duff, Kandi; Ed.D., Idaho State University'
  ➜ Skipping stray line: 'Dungar, Michael; MA, Boston College'
  ➜ Skipping stray line: 'Edmunds, Jeffrey; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Evans, Robin; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Evenson Newhouse, Ranae; Ph.D., Vanderbilt University'
  ➜ Skipping stray line: 'Faucett, Jessica; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Fehnel, Bradley; M.S., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Fellow, Jill; M.S., Brigham Young University'
  ➜ Skipping stray line: 'Franco, Heidi; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Frusciante, Denise; Ph.D., University of Miami'
  ➜ Skipping stray line: 'Galindez, Dahlia; MA, Western Governors University'
  ➜ Skipping stray line: 'Gangaram, Jitendra; Ph.D., North Central University'
  ➜ Skipping stray line: 'Garrett, Janette; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Goodwin, Rachel; Ph.D., University of Texas'
  ➜ Skipping stray line: 'Gordon, Kelley; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Gravitte, Kristen; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Gradzielewski, Andrew; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Halula, Stephen; Ph.D., Marquette University'
  ➜ Skipping stray line: 'Harris, Steven; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Hartwick, Andromeda; Ph.D., University of Michigan'
  ➜ Skipping stray line: 'Hayne, Victoria; Ph.D., University of California - Los Angeles'
  ➜ Skipping stray line: 'Hernandez, Ali; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Hillyer, Aaron; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Horne, Lisa; M.A., Brigham Young University'
  ➜ Skipping stray line: 'Hurley, Norman; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Jensen, Taylor; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Johnson, Stephanie; MBA, Lindenwood University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 177'
  ➜ Skipping stray line: 'Jones, Lee; Ph.D., Clark Atlanta University'
  ➜ Skipping stray line: 'Kelley, Matthew; Ph.D., University of Nevada-Las Vegas'
  ➜ Skipping stray line: 'Kelly, Lynn; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Knieps, Linda; Ph.D., Vanderbilt University'
  ➜ Skipping stray line: 'Knous, Helen; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Landry, Stan; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Latham, Kary; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Lauren, Jennifer; Ph.D., Duquesne University'
  ➜ Skipping stray line: 'Leep, Matthew; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Lettau, Lisa; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Little, David; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Lukin, Kara; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Main, Daniel; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Mammen, John; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Mantooth, Stacy; Ph. D., University of Nevada – Las Vegas'
  ➜ Skipping stray line: 'Martin, Jonathan; M.A., West Virginia University'
  ➜ Skipping stray line: 'Mays, Ashley; Ph.D., University of North Carolina at Chapel Hill'
  ➜ Skipping stray line: 'McCune, Timothy; Ph.D., Youngstown State University'
  ➜ Skipping stray line: 'McWatters, Mason; Ph.D., University of Texas at Austin'
  ➜ Skipping stray line: 'Metoki, Kiyoko; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Meyer, Nicholas; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Miller, Don; Ph.D., Morehouse School of Medicine'
  ➜ Skipping stray line: 'Miller, Kathleen; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Moody, Vivian; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Mosgrove, Sharon; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Moss, Meg; Ph.D., University of Tennessee-Knoxville'
  ➜ Skipping stray line: 'Mzoughi, Taha; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Nelson, Angela; Ph.D., Cornell University'
  ➜ Skipping stray line: 'Nicley, Erinn; M.S., Florida State University'
  ➜ Skipping stray line: 'Norton, Cindy; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Olson, Nels; Ph.D., Michigan State University'
  ➜ Skipping stray line: 'Oulette, David; Ph.D., Virginia Commonwealth University'
  ➜ Skipping stray line: 'Palmer, Michael; M.F.A., University of Utah'
  ➜ Skipping stray line: 'Pankowski, Peg; Ed.D., Duquesne University'
  ➜ Skipping stray line: 'Parrish, Anca; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Parton, Sabrena; Ph.D., University of Southern Mississippi'
  ➜ Skipping stray line: 'Parvin, Kathleen; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Peppers, Shelitha; Ed.D., Maryville University'
  ➜ Skipping stray line: 'Perkins, Heidi; M.S., Excelsior College'
  ➜ Skipping stray line: 'Phillips, Dedra; M.A., Colorado Technical University'
  ➜ Skipping stray line: 'Potter, Christine; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Quintela, Melissa; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Radosavljevic, Alexander; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Redden, Cameron; MAT, Baldwin Wallace University'
  ➜ Skipping stray line: 'Redkey, Elizabeth; Ph.D., University at Albany, State University of New York'
  ➜ Skipping stray line: 'Remington, Theodore; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Rhodes, Kristofer; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Robinson, Ami; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Robinson, Jeffery; Ph.D., Drew University'
  ➜ Skipping stray line: 'Rosenblatt, Heather; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Rossi, Cynthia; Ph.D., University of Maryland'
  ➜ Skipping stray line: 'Saddler, Derrick; Ph.D., University of South Florida'
  ➜ Skipping stray line: 'Sanchez, Melvin; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Scheg, Abigail; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Scheib, Douglas; Ph.D., University of Miami'
  ➜ Skipping stray line: 'Scotece, Shannon; Ph.D., State University of New York - Albany'
  ➜ Skipping stray line: 'Shahi, Kimberley; Ph.D., University of Texas at Arlington'
  ➜ Skipping stray line: 'Sharpe, Robert; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Shimotsu-Dariol, Stephanie; Ph.D., West Virginia University'
  ➜ Skipping stray line: 'Simeon, Patricia; Ed.D., Grambling State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 178'
  ➜ Skipping stray line: 'Simmons, Nathaniel; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Smith, Tommie; MBA, Middle Tennessee State University'
  ➜ Skipping stray line: 'Springfield, Derriell; Ed.D., East Tennessee State University'
  ➜ Skipping stray line: 'St Martin, Ashley; M.S., University of Vermont'
  ➜ Skipping stray line: 'Stambaugh, Nathaniel; Ph.D., Brandeis University'
  ➜ Skipping stray line: 'Starr, Neil; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Timmer, Kristin; Ph.D., University of Tennessee Health Science Center'
  ➜ Skipping stray line: 'Tolin Schultz, Alexandra; Ph.D., Stony Brook University'
  ➜ Skipping stray line: 'Tucker, Diana; Ph.D., Southern Illinois University Carbondale'
  ➜ Skipping stray line: 'Tweedy, Joanna; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Verber, Jason; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Vida, Anna; M.A., Arizona State University'
  ➜ Skipping stray line: 'Walker, Hope; M.A., The American University'
  ➜ Skipping stray line: 'Weaver, Matthew; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Webb, James; M.A., Pacific University'
  ➜ Skipping stray line: 'Wellinghoff, Lisa; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Westmoreland, Brandi; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Whitson-Whennen, Tonya; M.M., University of Utah'
  ➜ Skipping stray line: 'Woolridge, Mary; Ph.D., University of Central Florida'
  ➜ Skipping stray line: 'Young, Michael; Ph.D., University of Missouri at Saint Louis'
  ➜ Skipping stray line: 'Zasadny, Jill; Ph.D., Kansas University'
  ➜ Skipping stray line: 'Teachers College'
  ➜ Skipping stray line: 'Aafif, Amal; Ph.D., Drexel University'
  ➜ Skipping stray line: 'Affleck, Alisa; M.A., Western Governors University'
  ➜ Skipping stray line: 'Allen, Elizabeth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Aranda, Christina; M.A., University of Utah'
  ➜ Skipping stray line: 'Aufderhaar, Carolyn; Ed.D., University of Cincinnati'
  ➜ Skipping stray line: 'Baxter, Marissa; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Belchik-Moser, Sara; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Betts, Anastasia; Ph.D., Regent University'
  ➜ Skipping stray line: 'Blanks, Dorothy; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Boen, Laurie; Ph.D., University of Arkansas'
  ➜ Skipping stray line: 'Boyd-Bradwell, Natasha; Ph.D., Capella University'
  ➜ Skipping stray line: 'Branan, Daniel; Ph.D., University of Denver'
  ➜ Skipping stray line: 'Branch, Leah; Ed.D., Bethel University'
  ➜ Skipping stray line: 'Brogan, Lynn; Ed.D., Columbia University'
  ➜ Skipping stray line: 'Brooks, Marlaina; Ed.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Calero, Lisa; Ph.D., Capella University'
  ➜ Skipping stray line: 'Carey, Kimberly; Ph.D., Old Dominion University'
  ➜ Skipping stray line: 'Cartwright, Nancy; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'Cohen, Kimberley; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Constanza, Michele; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Covey, Nicole; Ed.D., University of Memphis'
  ➜ Skipping stray line: 'Douglas, Deanna; Ph.D., Wichita State University'
  ➜ Skipping stray line: 'Dove, Teresa; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Dukes, Debra; Ed.D., University of Georgia'
  ➜ Skipping stray line: 'Durakiewicz, Anna; M.S., University of Marie Curie'
  ➜ Skipping stray line: 'Eisenhour, Melanie; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Feng, Suiping; Ph.D., City University of New York'
  ➜ Skipping stray line: 'Fillpot, Elsie; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Flavin, Kathryn; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Flores, Alberto; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Francis, David; M.A., Western Governors University'
  ➜ Skipping stray line: 'Giddens, Evelyn; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gillman, Brenna; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Gray-Dowdy, Audra; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Hall, Robert; Ph.D., Capella University'
  ➜ Skipping stray line: 'Halverson, Colleen; Ph.D., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Harbin, Lesley; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 179'
  ➜ Skipping stray line: 'Hardin, Bridgette; Ed.D., Texas A&M University-Corpus Christi'
  ➜ Skipping stray line: 'Hedman, Shawn; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Henry, Joanna; M.E., Lamar University'
  ➜ Skipping stray line: 'Hernandez, Julie; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Hiebel, Adam; Ed.D., Ohio University'
  ➜ Skipping stray line: 'Hudon-Miller, Sarah; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Hughes, Amy; Ed.D., University of Montana'
  ➜ Skipping stray line: 'Hutson, Tommye; Ed.D., Baylor University'
  ➜ Skipping stray line: 'Igbinoba-Cummings, Monique; Ph.D., Lynn University'
  ➜ Skipping stray line: 'Izumi, Alisa; Ed.D., University of Massachusetts'
  ➜ Skipping stray line: 'Jacobs, Patricia; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Janitzki, Dean; M.A., University of Toledo'
  ➜ Skipping stray line: 'Johnson, Sherri; Ph.D., Capella University'
  ➜ Skipping stray line: 'Jovic, Marko; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Kain, Meri; Ed.D., University of Missouri'
  ➜ Skipping stray line: 'Kelly, Gretchen; Ed.D., Walden University'
  ➜ Skipping stray line: 'Leinbach, William; Ed.D., Oregon State University'
  ➜ Skipping stray line: 'Lindemann, Steven; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Linkenhoker, Dina; Ed.D., Liberty University'
  ➜ Skipping stray line: 'Lipscomb, Pauline; Ed.D., University of the Cumberlands'
  ➜ Skipping stray line: 'Luster, Sandricia; Ed.S., Argosy University'
  ➜ Skipping stray line: 'McCarver, Patricia; Ph.D., California Institute of Integral Studies'
  ➜ Skipping stray line: 'McDaniel, Maryann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'McGrath Hovland, Michelle; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Mendes, John; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Miller, Esther; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Mills, Ginger; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Moore, Tontaleya; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Morgan, Matthew; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Mour, Jennifer; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Murray, Mary; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Obianyo, Obiamaka; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Odom, M. Katherine; Ph.D., University of South Alabama'
  ➜ Skipping stray line: 'O’Malley, Maureen; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Pack, Mamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Parry, Kelly; Ph.D., University of North Texas'
  ➜ Skipping stray line: 'Purnell, Courtney; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Quinn, Lori; M.A.Ed., Prairie View A&M University'
  ➜ Skipping stray line: 'Rahsaz, Jacqueline; M.A., University of California San Diego'
  ➜ Skipping stray line: 'Randonis, Jennifer; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Rawson, Robert; Ph.D., University of Texas Southwestern'
  ➜ Skipping stray line: 'Richen, Damara; Ed.D., Fielding Graduate University'
  ➜ Skipping stray line: 'Robles, Veronica; Ed.D., Arizona State University'
  ➜ Skipping stray line: 'Rogers, Carmelle; Ph.D., Kansas State University'
  ➜ Skipping stray line: 'Russell-Fry, Nancy; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Scales, Rebecca; M.A., Western Governors University'
  ➜ Skipping stray line: 'Schmidt, Stan; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Sepetys, Peggy; Ed.D., University of Michigan'
  ➜ Skipping stray line: 'Shrader, Vincent; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Silver, Jennifer; Ph.D., New York University'
  ➜ Skipping stray line: 'Sims, Rachel; Ed.D., Walden University'
  ➜ Skipping stray line: 'Smith, Janeal; Ph.D., Walden University'
  ➜ Skipping stray line: 'Spencer, Kristin; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Story, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Swenson, Karl; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Thompson, Julie; Ph.D., University of Rochester'
  ➜ Skipping stray line: 'Traub-Metlay, Suzanne; Ph.D., University of Pittsburg'
  ➜ Skipping stray line: 'Tresnak, Robyn; Ph.D., Walden University'
  ➜ Skipping stray line: 'Turner, Carmen; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Vickers, Paul; Ed.D., Stephen F. Austin State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 180'
  ➜ Skipping stray line: 'Walter-Sullivan, Earnestyne; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'Weinstein, Gideon; Ph.D., Indiana University Bloomington'
  ➜ Skipping stray line: 'Whitmire, Jane; Ph.D., University of Montana'
  ➜ Skipping stray line: 'Willey-Rendon, Ruby; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Williams, Lacey; Ed.D., Union Institute and University'
  ➜ Skipping stray line: 'Wisnosky, Marc; Ph.D., University of Pittsburgh'
  ➜ Skipping stray line: 'Yanusheva, Lidiya; Ed.D., Walden University'
  ➜ Skipping stray line: 'Yatherajam, Gayatri; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Zartman, Krista; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Zimmerli, Mandy; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'College of Business'
  ➜ Skipping stray line: 'Abubakari, Nina; J.D., Wayne State University'
  ➜ Skipping stray line: 'Adler, Kathleen; Ph.D., Southern Methodist University'
  ➜ Skipping stray line: 'Alafita, Theresa; Ph.D., George Washington University'
  ➜ Skipping stray line: 'Arenz, Russell; Ph.D., Colorado Technical University'
  ➜ Skipping stray line: 'Argiento, Steven; J.D., Pace University'
  ➜ Skipping stray line: 'Austin, Judy; MBA, Western Governors University'
  ➜ Skipping stray line: 'Baragoshi, Behroz; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Barton, Robert; Ed.S., Utah State University'
  ➜ Skipping stray line: 'Black, Hilda; Ph.D., Louisiana Tech University'
  ➜ Skipping stray line: 'Borch, Casey; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Boysen-Rotelli, Sheila; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Brownstein, Steven; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Carson, Pook; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Cassell, Kenneth; MBA, San Jose State University'
  ➜ Skipping stray line: 'Cherry, Patricia; Ph.D., Capella University'
  ➜ Skipping stray line: 'Clarke, Jeffrey; Ph.D., University of California-Los Angeles'
  ➜ Skipping stray line: 'Connor, Martin; J.D., University of North Dakota'
  ➜ Skipping stray line: 'Davis, Lorretta; Ph.D., Capella University'
  ➜ Skipping stray line: 'Davis, Mary; Ed.D., Central Michigan University'
  ➜ Skipping stray line: 'Doctorman, Lindsey; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Doren, Andrew; D.M., University of Maryland'
  ➜ Skipping stray line: 'Dula, Kimberly; Ph.D., Mercer University'
  ➜ Skipping stray line: 'Duran, Anthony; DBA, Grand Canyon University'
  ➜ Skipping stray line: 'Ennis, Erica; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Etter, Edwin; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Feehery, George; DBA, Nova Southeastern University'
  ➜ Skipping stray line: 'Fisher, Paul; Ph.D., Oregon State University'
  ➜ Skipping stray line: 'Gallo, Merry; DBA, Argosy University'
  ➜ Skipping stray line: 'Garland, Jennifer; DBA, Keiser University'
  ➜ Skipping stray line: 'Geddes, Bruce; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gilyot, Bianca; MBA, Northcentral University'
  ➜ Skipping stray line: 'Giscombe, Hilbert; DBA, Argosy University'
  ➜ Skipping stray line: 'Gough, Gregory; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Green, Maurice; Ph.D., University at Albany – State University of New York'
  ➜ Skipping stray line: 'Gunn, Linda; Ph.D., Union Institute and University'
  ➜ Skipping stray line: 'Havins, Merwin; Ed.D., Northern Arizona University'
  ➜ Skipping stray line: 'Heinzman, Joseph; DM, Colorado Technical University'
  ➜ Skipping stray line: 'Hon, Charles; Ph.D., Capella University'
  ➜ Skipping stray line: 'Hudson, Brandi; J.D., Regent University'
  ➜ Skipping stray line: 'Iannucci, Brian; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Imboden, Paul; DBA., Northcentral University'
  ➜ Skipping stray line: 'Jividen, Jim; J.D., Ohio Northern University'
  ➜ Skipping stray line: 'Jones, Alan; MBA, Dartmouth College'
  ➜ Skipping stray line: 'Justice, Jeanne; DBA, Walden University'
  ➜ Skipping stray line: 'Kale, Mrinalini; Ph.D., Capella University'
  ➜ Skipping stray line: 'Kenny, Timothy; M.S., Regis University'
  ➜ Skipping stray line: 'Kowalski, Christine; Ed.D., National Louis University'
  ➜ Skipping stray line: 'Kushniroff, Melinda; Ed.D., Liberty University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 181'
  ➜ Skipping stray line: 'La Hay, Ann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Lagroue, Harold; Ph.D., Louisiana State University'
  ➜ Skipping stray line: 'Lamer, Maryann; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Langdon, Debra; MBA, Denver University'
  ➜ Skipping stray line: 'Lutter-Cooper, Victoria; Ph.D., Capella University'
  ➜ Skipping stray line: 'Marshall, Mario; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'McClesky, Jamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'McNulty, Peggy; Ph.D., University of Colorado-Colorado Springs'
  ➜ Skipping stray line: 'Melton, Rebecca; Ph.D., Chicago School of Professional Psychology'
  ➜ Skipping stray line: 'Mills, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Moore, Detria; J.D., Liberty University'
  ➜ Skipping stray line: 'Neely, Cecil; MBA, University of North Carolina at Greensboro'
  ➜ Skipping stray line: 'Nelms, Linda; Ph.D., Capella University'
  ➜ Skipping stray line: 'Nelson, Camille; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'O’Brien, Joseph; Ed.D., George Washington University'
  ➜ Skipping stray line: 'Openshaw, Matthew; Ph.D., University of Texas at Dallas'
  ➜ Skipping stray line: 'Parish, Beth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Patterson, Julie; Ph.D., University of Illinois at Urbana-Champaign'
  ➜ Skipping stray line: 'Pawarski, Richard; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Phillips, Patti; J.D., Stetson University'
  ➜ Skipping stray line: 'Pratt, Christopher; DHA, University of Phoenix'
  ➜ Skipping stray line: 'Raimo, Steve; DSL, Regent University'
  ➜ Skipping stray line: 'Richardson, Shay; DBA, Walden University'
  ➜ Skipping stray line: 'Roberts, Tracia; M.S., University of Phoenix'
  ➜ Skipping stray line: 'Roberts, Wade; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Rogers, Katie; MBA, University of Utah'
  ➜ Skipping stray line: 'Sawant, Gauri; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Shah, Rob; MBA, DeVry University'
  ➜ Skipping stray line: 'Shepherd, Tracie; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Skinner, Susan; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Snipes, Dawna; J.D., Western Michigan University'
  ➜ Skipping stray line: 'Souder, Michele; MBA, University of Dayton'
  ➜ Skipping stray line: 'Spicer, Ronald; Ph.D., Capella University'
  ➜ Skipping stray line: 'Stewart, Michelle; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Strickland, Cynthia; Ph.D., Touro University International'
  ➜ Skipping stray line: 'Swarthout, Nanette; MBA, Fontbonne University'
  ➜ Skipping stray line: 'Tapp, Timothy; MHA, Washington University'
  ➜ Skipping stray line: 'Thomas, Melanie; J.D., University of North Carolina'
  ➜ Skipping stray line: 'Venkateswar, Sankaran; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Wachter, Eddie; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Wade, Keith; MBA, University of Detroit'
  ➜ Skipping stray line: 'Walker, Natalie; DBA, Keiser University'
  ➜ Skipping stray line: 'Wang, Xiaofei; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Williams, Pegeen; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Williams, Rian; MPA, University of Utah'
  ➜ Skipping stray line: 'Wood, Carrie; M.S., Strayer University'
  ➜ Skipping stray line: 'College of Information Technology'
  ➜ Skipping stray line: 'Al-Husaam, Abdul; Ph.D., Capella University'
  ➜ Skipping stray line: 'Alberici, Mary; Ph.D., University of Missouri-St. Louis'
  ➜ Skipping stray line: 'Allen, Candice; M.A., Capella University'
  ➜ Skipping stray line: 'Antonucci, Amy; M.S., University of Delaware'
  ➜ Skipping stray line: 'Banerjee, Pubali; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'Beverley, Charles; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Blanson, Constance; Ph.D., Capella University'
  ➜ Skipping stray line: 'Bojonny, John; M.S., Marywood University'
  ➜ Skipping stray line: 'Borsum, Pamela; MBA, Western Governors University'
  ➜ Skipping stray line: 'Campbell, Wendy; DBA, Northcentral University'
  ➜ Skipping stray line: 'Carter, Betty; M.S., Troy University'
  ➜ Skipping stray line: 'Cobbs, Dana; M.S., College of William and Mary'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 182'
  ➜ Skipping stray line: 'Cook, Henry; M.S., Clark Atlanta University'
  ➜ Skipping stray line: 'Crawford, Demetria; M.S., Boston University'
  ➜ Skipping stray line: 'Dupree, Yolanda; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Farmer, Jaynee; M.A., University of Arkansas at Little Rock'
  ➜ Skipping stray line: 'Ferdinand, Jeff; M.S., Trident University International'
  ➜ Skipping stray line: 'Gardner, Diana; MBA, Western Governors University'
  ➜ Skipping stray line: 'Garza, Brian; M.S., Western Governors University'
  ➜ Skipping stray line: 'Goodwin, Orenthio; Ph.D., Capella University'
  ➜ Skipping stray line: 'Heiner, Jenny; M.S., Capitol College'
  ➜ Skipping stray line: 'Huff, David; Ph.D., Wayne State University'
  ➜ Skipping stray line: 'Jensen, Bryan; M.S., Bellvue University'
  ➜ Skipping stray line: 'Kercher, Paul; M.S., Missouri University of Science and Technology'
  ➜ Skipping stray line: 'LaMolinare, Deana; M.S., Duquesne University'
  ➜ Skipping stray line: 'Lang, Cythia; MSCHe, University of Maryland'
  ➜ Skipping stray line: 'Lavieri, Edward; DCS, Colorado Technical University'
  ➜ Skipping stray line: 'Light, Gerri; M.S., Walden University'
  ➜ Skipping stray line: 'Lively, Charles; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'McFarlane, Michele; M.S., DeVry University'
  ➜ Skipping stray line: 'McLaughlin, Mike; M.S., University of Maine'
  ➜ Skipping stray line: 'Mendell, Ronald; M.S., Capitol College'
  ➜ Skipping stray line: 'Milham, Thomas; MNCM, DeVry University'
  ➜ Skipping stray line: 'Moore, Ronald; M.A., Troy University'
  ➜ Skipping stray line: 'Morrill, Ralph; Ph.D., North Central University'
  ➜ Skipping stray line: 'Ntinglet-Davis, Emelda; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Ozmer, Connie; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Paddock, Charles; Ph.D., University of Houston'
  ➜ Skipping stray line: 'Peterson, Michael; Ph.D., Capella University'
  ➜ Skipping stray line: 'Pinaire, Ken; MBA, University of Texas at Dallas'
  ➜ Skipping stray line: 'Rawlinson, David; J.D., South Texas College of Law'
  ➜ Skipping stray line: 'Schaefer, Brett; MBA, DeVry University'
  ➜ Skipping stray line: 'Shenk, Maria; M.S., City University of Seattle'
  ➜ Skipping stray line: 'Scutro, Rebecca; M.S., Saint Joseph’s University'
  ➜ Skipping stray line: 'Sewell, William; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Sher-DeCusatis, Carolyn; M.A., State University of New York at Stony Brook'
  ➜ Skipping stray line: 'Shields, Jessica; MFA, Savannah College of Art and Design'
  ➜ Skipping stray line: 'Sistelos, Antonio; Ph.D., Indiana State University'
  ➜ Skipping stray line: 'Stromberg, Scott; M.S., Nova Southeastern University'
  ➜ Skipping stray line: 'Swanson, Tom; Ph.D., Capella University'
  ➜ Skipping stray line: 'Taylor, Julinda; M.S., Wichita State University'
  ➜ Skipping stray line: 'Travis, Susan; M.A., University of Phoenix'
  ➜ Skipping stray line: 'College of Health Professions'
  ➜ Skipping stray line: 'Abdur-Rahman, Veronica; Ph.D., Texas Woman’s University'
  ➜ Skipping stray line: 'Abee, Debra; M.S., University of North Carolina Greensboro'
  ➜ Skipping stray line: 'Abraham, Gail; MSN/ED, University of Phoenix'
  ➜ Skipping stray line: 'Adams, Lora; M.S., Michigan State University'
  ➜ Skipping stray line: 'Adkins, Dee; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Allen, Juanita; DNP, University of Utah'
  ➜ Skipping stray line: 'Ashby, Shelley; DNP, University of Southern Indiana'
  ➜ Skipping stray line: 'Austgen, Donna; M.S., University of Indianapolis'
  ➜ Skipping stray line: 'Barber, Kendar; M.S., Indiana University'
  ➜ Skipping stray line: 'Battle, Linda; DNP, Regis College'
  ➜ Skipping stray line: 'Benoit, Heidi; M.S., Western Governors University'
  ➜ Skipping stray line: 'Benson, Johnett; DNP, Kent State University'
  ➜ Skipping stray line: 'Bergfeld, Marcia; M.S., Lourdes College'
  ➜ Skipping stray line: 'Berndt, Janeen; DNP, Valparaiso University'
  ➜ Skipping stray line: 'Blaine, Stephanie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Cain, Lyn; Ph.D., Grand Canyon University'
  ➜ Skipping stray line: 'Carney, Mary; DNP, Touro University – Nevada'
  ➜ Skipping stray line: 'Chau-Nguyen, Thao; MPH, Tulane University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 183'
  ➜ Skipping stray line: 'Cleveland, Melissa; DNP, Rocky Mountain University'
  ➜ Skipping stray line: 'Cloonan, Kelly; DNP, Case Western Reserve'
  ➜ Skipping stray line: 'Dahdal, Kimberly; M.S., Western Governors University'
  ➜ Skipping stray line: 'Dantzler, Barbara; Ph.D., Trident University'
  ➜ Skipping stray line: 'Diaz, Constance; Ph.D., University of Northern Colorado'
  ➜ Skipping stray line: 'Diaz, Lorna; DNP, Western University of Health Sciences'
  ➜ Skipping stray line: 'Dorin, Michelle; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Dush, Curtis; M.S., East Tennessee State University'
  ➜ Skipping stray line: 'Elmer, Justine; M.S., Kaplan University'
  ➜ Skipping stray line: 'Englert, Mary; DNP, University of North Florida'
  ➜ Skipping stray line: 'Feather, Rebecca; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Frankie, Sandra; M.S., Western Governors University'
  ➜ Skipping stray line: 'Gabel, Ann; M.S., University of Kansas'
  ➜ Skipping stray line: 'Gayol, Marcos; M.S., Aspen University'
  ➜ Skipping stray line: 'Giaquinto, Elisa; M.A., Brown University'
  ➜ Skipping stray line: 'Gogatz, Debra; DNP, Regis University'
  ➜ Skipping stray line: 'Golden, Christina; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Gottesfeld, Ilene; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Gwyn, Elizabeth; M.S., Winston Salem State University'
  ➜ Skipping stray line: 'Hadsell, Christine; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Hansen, Julie; Ph.D., South Dakota State University'
  ➜ Skipping stray line: 'Hartley-Clanton, Patricia; M.S., University of Utah'
  ➜ Skipping stray line: 'Hawkins, Shannon; M.S., Walden University'
  ➜ Skipping stray line: 'Heyer-Schmidt, Theres-Anne; ND, University of Colorado-Denver'
  ➜ Skipping stray line: 'Hill, Dana; Ph.D., Walden University'
  ➜ Skipping stray line: 'Hunt, Eleanor; M.S., Duke University'
  ➜ Skipping stray line: 'Johnson-Anderson, Heidi; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Kangas, Sandra; Ph.D., Georgia State University'
  ➜ Skipping stray line: 'Kogan, Lisa; M.S., Western Governors University'
  ➜ Skipping stray line: 'Langer Atkinson, Heidi; Ph.D., University of Albany'
  ➜ Skipping stray line: 'Lashlee, Marilyn; DNP, Northeastern University'
  ➜ Skipping stray line: 'Long, Jennifer; M.S., Indiana University'
  ➜ Skipping stray line: 'Marshall, Janet; Ph.D., Rush University'
  ➜ Title candidate: 'Masterson, Debra; Ed.D., Liberty University'
  ✔️ Collected description (40 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 6146: 'C738 - Space, Time and Motion - Throughout history, humans have grappled with questions about the origin, workings, and behavior of the universe.'

🔍 parse_program: starting at line 6146: 'C738 - Space, Time and Motion - Throughout history, humans have grappled with questions about the origin, workings, and behavior of the universe.'
  ➜ Title candidate: 'C738 - Space, Time and Motion - Throughout history, humans have grappled with questions about the origin, workings, and behavior of the universe.'
  ❌ Invalid title line: 'C738 - Space, Time and Motion - Throughout history, humans have grappled with questions about the origin, workings, and behavior of the universe.'
  ➜ Parsing at 6147: 'This seminar begins with a quick tour of discovery and exploration in physics, from the ancient Greek philosophers on to Galileo Galilei, Isaac Newton'

🔍 parse_program: starting at line 6147: 'This seminar begins with a quick tour of discovery and exploration in physics, from the ancient Greek philosophers on to Galileo Galilei, Isaac Newton'
  ➜ Title candidate: 'This seminar begins with a quick tour of discovery and exploration in physics, from the ancient Greek philosophers on to Galileo Galilei, Isaac Newton'
  ❌ Invalid title line: 'This seminar begins with a quick tour of discovery and exploration in physics, from the ancient Greek philosophers on to Galileo Galilei, Isaac Newton'
  ➜ Parsing at 6148: 'and Albert Einstein. Einstein’s work then serves as the departure point for a detailed look at the properties of motion, time, space, matter, and energy.'

🔍 parse_program: starting at line 6148: 'and Albert Einstein. Einstein’s work then serves as the departure point for a detailed look at the properties of motion, time, space, matter, and energy.'
  ➜ Title candidate: 'and Albert Einstein. Einstein’s work then serves as the departure point for a detailed look at the properties of motion, time, space, matter, and energy.'
  ❌ Invalid title line: 'and Albert Einstein. Einstein’s work then serves as the departure point for a detailed look at the properties of motion, time, space, matter, and energy.'
  ➜ Parsing at 6149: 'The course considers Einstein’s Special Theory of Relativity, his photon hypothesis, wave-particle duality, his General Theory of Relativity and its'

🔍 parse_program: starting at line 6149: 'The course considers Einstein’s Special Theory of Relativity, his photon hypothesis, wave-particle duality, his General Theory of Relativity and its'
  ➜ Title candidate: 'The course considers Einstein’s Special Theory of Relativity, his photon hypothesis, wave-particle duality, his General Theory of Relativity and its'
  ❌ Invalid title line: 'The course considers Einstein’s Special Theory of Relativity, his photon hypothesis, wave-particle duality, his General Theory of Relativity and its'
  ➜ Parsing at 6150: 'implications for astrophysics and cosmology, as well as his three-decade quest for a unified field theory. It also looks at Einstein as a social and'

🔍 parse_program: starting at line 6150: 'implications for astrophysics and cosmology, as well as his three-decade quest for a unified field theory. It also looks at Einstein as a social and'
  ➜ Title candidate: 'implications for astrophysics and cosmology, as well as his three-decade quest for a unified field theory. It also looks at Einstein as a social and'
  ❌ Invalid title line: 'implications for astrophysics and cosmology, as well as his three-decade quest for a unified field theory. It also looks at Einstein as a social and'
  ➜ Parsing at 6151: 'political figure, and his contributions as a social and political force. Scientist-authored essays, online interaction, videos, and web resources enable'

🔍 parse_program: starting at line 6151: 'political figure, and his contributions as a social and political force. Scientist-authored essays, online interaction, videos, and web resources enable'
  ➜ Title candidate: 'political figure, and his contributions as a social and political force. Scientist-authored essays, online interaction, videos, and web resources enable'
  ❌ Invalid title line: 'political figure, and his contributions as a social and political force. Scientist-authored essays, online interaction, videos, and web resources enable'
  ➜ Parsing at 6152: 'learners to trace this historic path of discovery and explore implications of technology for society, energy production in stars, black holes, the Big Bang'

🔍 parse_program: starting at line 6152: 'learners to trace this historic path of discovery and explore implications of technology for society, energy production in stars, black holes, the Big Bang'
  ➜ Title candidate: 'learners to trace this historic path of discovery and explore implications of technology for society, energy production in stars, black holes, the Big Bang'
  ❌ Invalid title line: 'learners to trace this historic path of discovery and explore implications of technology for society, energy production in stars, black holes, the Big Bang'
  ➜ Parsing at 6153: 'and the role of the scientist in modern society.'

🔍 parse_program: starting at line 6153: 'and the role of the scientist in modern society.'
  ➜ Title candidate: 'and the role of the scientist in modern society.'
  ❌ Invalid title line: 'and the role of the scientist in modern society.'
  ➜ Parsing at 6154: 'C739 - Space, Time and Motion - Throughout history, humans have grappled with questions about the origin, workings, and behavior of the universe.'

🔍 parse_program: starting at line 6154: 'C739 - Space, Time and Motion - Throughout history, humans have grappled with questions about the origin, workings, and behavior of the universe.'
  ➜ Title candidate: 'C739 - Space, Time and Motion - Throughout history, humans have grappled with questions about the origin, workings, and behavior of the universe.'
  ❌ Invalid title line: 'C739 - Space, Time and Motion - Throughout history, humans have grappled with questions about the origin, workings, and behavior of the universe.'
  ➜ Parsing at 6155: 'This seminar begins with a quick tour of discovery and exploration in physics, from the ancient Greek philosophers on to Galileo Galilei, Isaac Newton'

🔍 parse_program: starting at line 6155: 'This seminar begins with a quick tour of discovery and exploration in physics, from the ancient Greek philosophers on to Galileo Galilei, Isaac Newton'
  ➜ Title candidate: 'This seminar begins with a quick tour of discovery and exploration in physics, from the ancient Greek philosophers on to Galileo Galilei, Isaac Newton'
  ❌ Invalid title line: 'This seminar begins with a quick tour of discovery and exploration in physics, from the ancient Greek philosophers on to Galileo Galilei, Isaac Newton'
  ➜ Parsing at 6156: 'and Albert Einstein. Einstein’s work then serves as the departure point for a detailed look at the properties of motion, time, space, matter, and energy.'

🔍 parse_program: starting at line 6156: 'and Albert Einstein. Einstein’s work then serves as the departure point for a detailed look at the properties of motion, time, space, matter, and energy.'
  ➜ Title candidate: 'and Albert Einstein. Einstein’s work then serves as the departure point for a detailed look at the properties of motion, time, space, matter, and energy.'
  ❌ Invalid title line: 'and Albert Einstein. Einstein’s work then serves as the departure point for a detailed look at the properties of motion, time, space, matter, and energy.'
  ➜ Parsing at 6157: 'The course considers Einstein’s Special Theory of Relativity, his photon hypothesis, wave-particle duality, his General Theory of Relativity and its'

🔍 parse_program: starting at line 6157: 'The course considers Einstein’s Special Theory of Relativity, his photon hypothesis, wave-particle duality, his General Theory of Relativity and its'
  ➜ Title candidate: 'The course considers Einstein’s Special Theory of Relativity, his photon hypothesis, wave-particle duality, his General Theory of Relativity and its'
  ❌ Invalid title line: 'The course considers Einstein’s Special Theory of Relativity, his photon hypothesis, wave-particle duality, his General Theory of Relativity and its'
  ➜ Parsing at 6158: 'implications for astrophysics and cosmology, as well as his three-decade quest for a unified field theory. It also looks at Einstein as a social and'

🔍 parse_program: starting at line 6158: 'implications for astrophysics and cosmology, as well as his three-decade quest for a unified field theory. It also looks at Einstein as a social and'
  ➜ Title candidate: 'implications for astrophysics and cosmology, as well as his three-decade quest for a unified field theory. It also looks at Einstein as a social and'
  ❌ Invalid title line: 'implications for astrophysics and cosmology, as well as his three-decade quest for a unified field theory. It also looks at Einstein as a social and'
  ➜ Parsing at 6159: 'political figure, and his contributions as a social and political force. Scientist-authored essays, online interaction, videos, and web resources enable'

🔍 parse_program: starting at line 6159: 'political figure, and his contributions as a social and political force. Scientist-authored essays, online interaction, videos, and web resources enable'
  ➜ Title candidate: 'political figure, and his contributions as a social and political force. Scientist-authored essays, online interaction, videos, and web resources enable'
  ❌ Invalid title line: 'political figure, and his contributions as a social and political force. Scientist-authored essays, online interaction, videos, and web resources enable'
  ➜ Parsing at 6160: 'learners to trace this historic path of discovery and explore implications of technology for society, energy production in stars, black holes, the Big Bang'

🔍 parse_program: starting at line 6160: 'learners to trace this historic path of discovery and explore implications of technology for society, energy production in stars, black holes, the Big Bang'
  ➜ Title candidate: 'learners to trace this historic path of discovery and explore implications of technology for society, energy production in stars, black holes, the Big Bang'
  ❌ Invalid title line: 'learners to trace this historic path of discovery and explore implications of technology for society, energy production in stars, black holes, the Big Bang'
  ➜ Parsing at 6161: 'and the role of the scientist in modern society.'

🔍 parse_program: starting at line 6161: 'and the role of the scientist in modern society.'
  ➜ Title candidate: 'and the role of the scientist in modern society.'
  ❌ Invalid title line: 'and the role of the scientist in modern society.'
  ➜ Parsing at 6162: 'C740 - Fundamentals of Data Analytics - This course provides an introduction to a variety of tools and techniques used in the field of data analytics.'

🔍 parse_program: starting at line 6162: 'C740 - Fundamentals of Data Analytics - This course provides an introduction to a variety of tools and techniques used in the field of data analytics.'
  ➜ Title candidate: 'C740 - Fundamentals of Data Analytics - This course provides an introduction to a variety of tools and techniques used in the field of data analytics.'
  ❌ Invalid title line: 'C740 - Fundamentals of Data Analytics - This course provides an introduction to a variety of tools and techniques used in the field of data analytics.'
  ➜ Parsing at 6163: 'Students will summarize data, review statistical models, explore data mining techniques, and contemplate ethical considerations associated with the'

🔍 parse_program: starting at line 6163: 'Students will summarize data, review statistical models, explore data mining techniques, and contemplate ethical considerations associated with the'
  ➜ Title candidate: 'Students will summarize data, review statistical models, explore data mining techniques, and contemplate ethical considerations associated with the'
  ❌ Invalid title line: 'Students will summarize data, review statistical models, explore data mining techniques, and contemplate ethical considerations associated with the'
  ➜ Parsing at 6164: 'field of data analytics. This course presents a survey of concepts which will be explored more in-depth in subsequent courses in the MS Data Analytics'

🔍 parse_program: starting at line 6164: 'field of data analytics. This course presents a survey of concepts which will be explored more in-depth in subsequent courses in the MS Data Analytics'
  ➜ Title candidate: 'field of data analytics. This course presents a survey of concepts which will be explored more in-depth in subsequent courses in the MS Data Analytics'
  ❌ Invalid title line: 'field of data analytics. This course presents a survey of concepts which will be explored more in-depth in subsequent courses in the MS Data Analytics'
  ➜ Parsing at 6165: 'program.'

🔍 parse_program: starting at line 6165: 'program.'
  ➜ Title candidate: 'program.'
  ❌ Invalid title line: 'program.'
  ➜ Parsing at 6166: 'C741 - Statistics for Data Analysis - This course covers a broad range of statistical techniques and methods applied in real-world settings. Topics'

🔍 parse_program: starting at line 6166: 'C741 - Statistics for Data Analysis - This course covers a broad range of statistical techniques and methods applied in real-world settings. Topics'
  ➜ Title candidate: 'C741 - Statistics for Data Analysis - This course covers a broad range of statistical techniques and methods applied in real-world settings. Topics'
  ❌ Invalid title line: 'C741 - Statistics for Data Analysis - This course covers a broad range of statistical techniques and methods applied in real-world settings. Topics'
  ➜ Parsing at 6167: 'presented include inferential, parametric and non-parametric statistics, as well as regression analysis and analysis of variance.'

🔍 parse_program: starting at line 6167: 'presented include inferential, parametric and non-parametric statistics, as well as regression analysis and analysis of variance.'
  ➜ Title candidate: 'presented include inferential, parametric and non-parametric statistics, as well as regression analysis and analysis of variance.'
  ❌ Invalid title line: 'presented include inferential, parametric and non-parametric statistics, as well as regression analysis and analysis of variance.'
  ➜ Parsing at 6168: 'C742 - Data Science Tools and Techniques - This course covers data science tools and techniques to perform data wrangling and exploration. You'

🔍 parse_program: starting at line 6168: 'C742 - Data Science Tools and Techniques - This course covers data science tools and techniques to perform data wrangling and exploration. You'
  ➜ Title candidate: 'C742 - Data Science Tools and Techniques - This course covers data science tools and techniques to perform data wrangling and exploration. You'
  ❌ Invalid title line: 'C742 - Data Science Tools and Techniques - This course covers data science tools and techniques to perform data wrangling and exploration. You'
  ➜ Parsing at 6169: 'will be introduced to programming languages and web scraping tools along with machine learning models.'

🔍 parse_program: starting at line 6169: 'will be introduced to programming languages and web scraping tools along with machine learning models.'
  ➜ Title candidate: 'will be introduced to programming languages and web scraping tools along with machine learning models.'
  ❌ Invalid title line: 'will be introduced to programming languages and web scraping tools along with machine learning models.'
  ➜ Parsing at 6170: 'C743 - Data Mining and Analytics I - This course is an introduction to data mining and exploratory data analysis, including text and web mining.'

🔍 parse_program: starting at line 6170: 'C743 - Data Mining and Analytics I - This course is an introduction to data mining and exploratory data analysis, including text and web mining.'
  ➜ Title candidate: 'C743 - Data Mining and Analytics I - This course is an introduction to data mining and exploratory data analysis, including text and web mining.'
  ❌ Invalid title line: 'C743 - Data Mining and Analytics I - This course is an introduction to data mining and exploratory data analysis, including text and web mining.'
  ➜ Parsing at 6171: 'Topics include the use of data exploration methods to prepare data, familiarization with commercial data types commonly used for data mining, the'

🔍 parse_program: starting at line 6171: 'Topics include the use of data exploration methods to prepare data, familiarization with commercial data types commonly used for data mining, the'
  ➜ Title candidate: 'Topics include the use of data exploration methods to prepare data, familiarization with commercial data types commonly used for data mining, the'
  ❌ Invalid title line: 'Topics include the use of data exploration methods to prepare data, familiarization with commercial data types commonly used for data mining, the'
  ➜ Parsing at 6172: 'use of statistical and data mining software, including R, SAS and SPSS, and the comparison and classification of data mining methods.'

🔍 parse_program: starting at line 6172: 'use of statistical and data mining software, including R, SAS and SPSS, and the comparison and classification of data mining methods.'
  ➜ Title candidate: 'use of statistical and data mining software, including R, SAS and SPSS, and the comparison and classification of data mining methods.'
  ❌ Invalid title line: 'use of statistical and data mining software, including R, SAS and SPSS, and the comparison and classification of data mining methods.'
  ➜ Parsing at 6173: 'C744 - Data Mining and Analytics II - This course examines the application of descriptive and predictive data mining techniques to reveal information'

🔍 parse_program: starting at line 6173: 'C744 - Data Mining and Analytics II - This course examines the application of descriptive and predictive data mining techniques to reveal information'
  ➜ Title candidate: 'C744 - Data Mining and Analytics II - This course examines the application of descriptive and predictive data mining techniques to reveal information'
  ❌ Invalid title line: 'C744 - Data Mining and Analytics II - This course examines the application of descriptive and predictive data mining techniques to reveal information'
  ➜ Parsing at 6174: 'within a mass of data. Techniques include factor analysis, cluster analysis, classification methods, and neural networks to limit human subjectivity in'

🔍 parse_program: starting at line 6174: 'within a mass of data. Techniques include factor analysis, cluster analysis, classification methods, and neural networks to limit human subjectivity in'
  ➜ Title candidate: 'within a mass of data. Techniques include factor analysis, cluster analysis, classification methods, and neural networks to limit human subjectivity in'
  ❌ Invalid title line: 'within a mass of data. Techniques include factor analysis, cluster analysis, classification methods, and neural networks to limit human subjectivity in'
  ➜ Parsing at 6175: 'decision making processes.'

🔍 parse_program: starting at line 6175: 'decision making processes.'
  ➜ Title candidate: 'decision making processes.'
  ❌ Invalid title line: 'decision making processes.'
  ➜ Parsing at 6176: 'C745 - Advanced Data Visualization - The focus of this course is visualizing and telling stories with data. This course begins with a description of the'

🔍 parse_program: starting at line 6176: 'C745 - Advanced Data Visualization - The focus of this course is visualizing and telling stories with data. This course begins with a description of the'
  ➜ Title candidate: 'C745 - Advanced Data Visualization - The focus of this course is visualizing and telling stories with data. This course begins with a description of the'
  ❌ Invalid title line: 'C745 - Advanced Data Visualization - The focus of this course is visualizing and telling stories with data. This course begins with a description of the'
  ➜ Parsing at 6177: 'growth of data and visualization in industry, news, and government. Actual human stories will be reviewed from a data-statistical perspective. The'

🔍 parse_program: starting at line 6177: 'growth of data and visualization in industry, news, and government. Actual human stories will be reviewed from a data-statistical perspective. The'
  ➜ Title candidate: 'growth of data and visualization in industry, news, and government. Actual human stories will be reviewed from a data-statistical perspective. The'
  ❌ Invalid title line: 'growth of data and visualization in industry, news, and government. Actual human stories will be reviewed from a data-statistical perspective. The'
  ➜ Parsing at 6178: 'creation of graphs, displays and geospatial data presentations to communicate information supporting decision making while implementing best'

🔍 parse_program: starting at line 6178: 'creation of graphs, displays and geospatial data presentations to communicate information supporting decision making while implementing best'
  ➜ Title candidate: 'creation of graphs, displays and geospatial data presentations to communicate information supporting decision making while implementing best'
  ❌ Invalid title line: 'creation of graphs, displays and geospatial data presentations to communicate information supporting decision making while implementing best'
  ➜ Parsing at 6179: 'practices for effective storytelling will be examined.'

🔍 parse_program: starting at line 6179: 'practices for effective storytelling will be examined.'
  ➜ Title candidate: 'practices for effective storytelling will be examined.'
  ❌ Invalid title line: 'practices for effective storytelling will be examined.'
  ➜ Parsing at 6180: 'C746 - Advanced SQL - This course prepares the student for the Oracle Database SQL (1Z0-071) certification exam. Students will master the SQL'

🔍 parse_program: starting at line 6180: 'C746 - Advanced SQL - This course prepares the student for the Oracle Database SQL (1Z0-071) certification exam. Students will master the SQL'
  ➜ Title candidate: 'C746 - Advanced SQL - This course prepares the student for the Oracle Database SQL (1Z0-071) certification exam. Students will master the SQL'
  ❌ Invalid title line: 'C746 - Advanced SQL - This course prepares the student for the Oracle Database SQL (1Z0-071) certification exam. Students will master the SQL'
  ➜ Parsing at 6181: 'language which will allow them to restrict and sort data, manage data, objects and tables, create schema objects, and control user access.'

🔍 parse_program: starting at line 6181: 'language which will allow them to restrict and sort data, manage data, objects and tables, create schema objects, and control user access.'
  ➜ Title candidate: 'language which will allow them to restrict and sort data, manage data, objects and tables, create schema objects, and control user access.'
  ❌ Invalid title line: 'language which will allow them to restrict and sort data, manage data, objects and tables, create schema objects, and control user access.'
  ➜ Parsing at 6182: 'C747 - SAS Programming I: Fundamentals - This course prepares the student for the Base Programmer for SAS 9 Certification (A00-211). Students'

🔍 parse_program: starting at line 6182: 'C747 - SAS Programming I: Fundamentals - This course prepares the student for the Base Programmer for SAS 9 Certification (A00-211). Students'
  ➜ Title candidate: 'C747 - SAS Programming I: Fundamentals - This course prepares the student for the Base Programmer for SAS 9 Certification (A00-211). Students'
  ❌ Invalid title line: 'C747 - SAS Programming I: Fundamentals - This course prepares the student for the Base Programmer for SAS 9 Certification (A00-211). Students'
  ➜ Parsing at 6183: 'will achieve competencies in SAS programming that will allow them to import and export raw data files, manipulate and transform data, combine SAS'

🔍 parse_program: starting at line 6183: 'will achieve competencies in SAS programming that will allow them to import and export raw data files, manipulate and transform data, combine SAS'
  ➜ Title candidate: 'will achieve competencies in SAS programming that will allow them to import and export raw data files, manipulate and transform data, combine SAS'
  ❌ Invalid title line: 'will achieve competencies in SAS programming that will allow them to import and export raw data files, manipulate and transform data, combine SAS'
  ➜ Parsing at 6184: 'data sets, identify and correct syntax errors, and write SAS code on the SAS platform.'

🔍 parse_program: starting at line 6184: 'data sets, identify and correct syntax errors, and write SAS code on the SAS platform.'
  ➜ Title candidate: 'data sets, identify and correct syntax errors, and write SAS code on the SAS platform.'
  ❌ Invalid title line: 'data sets, identify and correct syntax errors, and write SAS code on the SAS platform.'
  ➜ Parsing at 6185: 'C748 - SAS Programming II: Business Analysis Applications - This course prepares the student for the SAS Statistical Business Analyst for SAS'

🔍 parse_program: starting at line 6185: 'C748 - SAS Programming II: Business Analysis Applications - This course prepares the student for the SAS Statistical Business Analyst for SAS'
  ➜ Title candidate: 'C748 - SAS Programming II: Business Analysis Applications - This course prepares the student for the SAS Statistical Business Analyst for SAS'
  ❌ Invalid title line: 'C748 - SAS Programming II: Business Analysis Applications - This course prepares the student for the SAS Statistical Business Analyst for SAS'
  ➜ Parsing at 6186: '9 Certification (A00-240). Students will gain competency to conduct, interpret, and present complex statistical data analysis in the SAS platform.'

🔍 parse_program: starting at line 6186: '9 Certification (A00-240). Students will gain competency to conduct, interpret, and present complex statistical data analysis in the SAS platform.'
  ➜ Title candidate: '9 Certification (A00-240). Students will gain competency to conduct, interpret, and present complex statistical data analysis in the SAS platform.'
  ❌ Invalid title line: '9 Certification (A00-240). Students will gain competency to conduct, interpret, and present complex statistical data analysis in the SAS platform.'
  ➜ Parsing at 6187: 'C749 - Introduction to Data Science - This Introduction to Data Science course introduces the data analysis process and common statistical'

🔍 parse_program: starting at line 6187: 'C749 - Introduction to Data Science - This Introduction to Data Science course introduces the data analysis process and common statistical'
  ➜ Title candidate: 'C749 - Introduction to Data Science - This Introduction to Data Science course introduces the data analysis process and common statistical'
  ❌ Invalid title line: 'C749 - Introduction to Data Science - This Introduction to Data Science course introduces the data analysis process and common statistical'
  ➜ Parsing at 6188: 'techniques necessary for the analysis of data. Students will ask questions that can be solved with a given data set, set up experiments, use statistics'

🔍 parse_program: starting at line 6188: 'techniques necessary for the analysis of data. Students will ask questions that can be solved with a given data set, set up experiments, use statistics'
  ➜ Title candidate: 'techniques necessary for the analysis of data. Students will ask questions that can be solved with a given data set, set up experiments, use statistics'
  ❌ Invalid title line: 'techniques necessary for the analysis of data. Students will ask questions that can be solved with a given data set, set up experiments, use statistics'
  ➜ Parsing at 6189: 'and data wrangling to test hypotheses, find ways to speed up their data analysis code, make their data set easier to access, and communicate their'

🔍 parse_program: starting at line 6189: 'and data wrangling to test hypotheses, find ways to speed up their data analysis code, make their data set easier to access, and communicate their'
  ➜ Title candidate: 'and data wrangling to test hypotheses, find ways to speed up their data analysis code, make their data set easier to access, and communicate their'
  ❌ Invalid title line: 'and data wrangling to test hypotheses, find ways to speed up their data analysis code, make their data set easier to access, and communicate their'
  ➜ Parsing at 6190: 'findings.'

🔍 parse_program: starting at line 6190: 'findings.'
  ➜ Title candidate: 'findings.'
  ❌ Invalid title line: 'findings.'
  ➜ Parsing at 6191: 'C750 - Data Wrangling with MongoDB - This course elaborates on concepts covered in Introduction to Data Science, helping to develop skills'

🔍 parse_program: starting at line 6191: 'C750 - Data Wrangling with MongoDB - This course elaborates on concepts covered in Introduction to Data Science, helping to develop skills'
  ➜ Title candidate: 'C750 - Data Wrangling with MongoDB - This course elaborates on concepts covered in Introduction to Data Science, helping to develop skills'
  ❌ Invalid title line: 'C750 - Data Wrangling with MongoDB - This course elaborates on concepts covered in Introduction to Data Science, helping to develop skills'
  ➜ Parsing at 6192: 'crucial to the field of data science and analysis. It explores how to wrangle data from diverse sources and shape it to enable data-driven applications—'

🔍 parse_program: starting at line 6192: 'crucial to the field of data science and analysis. It explores how to wrangle data from diverse sources and shape it to enable data-driven applications—'
  ➜ Title candidate: 'crucial to the field of data science and analysis. It explores how to wrangle data from diverse sources and shape it to enable data-driven applications—'
  ❌ Invalid title line: 'crucial to the field of data science and analysis. It explores how to wrangle data from diverse sources and shape it to enable data-driven applications—'
  ➜ Parsing at 6193: 'a common activity in many data scientists' routine.'

🔍 parse_program: starting at line 6193: 'a common activity in many data scientists' routine.'
  ➜ Title candidate: 'a common activity in many data scientists' routine.'
  ❌ Invalid title line: 'a common activity in many data scientists' routine.'
  ➜ Parsing at 6194: 'Topics covered include gathering and extracting data from widely-used data formats, assessing the quality of data, and exploring best practices for'

🔍 parse_program: starting at line 6194: 'Topics covered include gathering and extracting data from widely-used data formats, assessing the quality of data, and exploring best practices for'
  ➜ Title candidate: 'Topics covered include gathering and extracting data from widely-used data formats, assessing the quality of data, and exploring best practices for'
  ❌ Invalid title line: 'Topics covered include gathering and extracting data from widely-used data formats, assessing the quality of data, and exploring best practices for'
  ➜ Parsing at 6195: 'data cleaning. This course also introduces MongoDB, covering the essentials of storing data and the MongoDB query language together with'

🔍 parse_program: starting at line 6195: 'data cleaning. This course also introduces MongoDB, covering the essentials of storing data and the MongoDB query language together with'
  ➜ Title candidate: 'data cleaning. This course also introduces MongoDB, covering the essentials of storing data and the MongoDB query language together with'
  ❌ Invalid title line: 'data cleaning. This course also introduces MongoDB, covering the essentials of storing data and the MongoDB query language together with'
  ➜ Parsing at 6196: 'exploratory analysis using the MongoDB aggregation framework.'

🔍 parse_program: starting at line 6196: 'exploratory analysis using the MongoDB aggregation framework.'
  ➜ Title candidate: 'exploratory analysis using the MongoDB aggregation framework.'
  ❌ Invalid title line: 'exploratory analysis using the MongoDB aggregation framework.'
  ➜ Parsing at 6197: 'C751 - Data Analysis with R - This course focuses on exploratory data analysis (EDA) utilizing R. EDA is an approach for summarizing and'

🔍 parse_program: starting at line 6197: 'C751 - Data Analysis with R - This course focuses on exploratory data analysis (EDA) utilizing R. EDA is an approach for summarizing and'
  ➜ Title candidate: 'C751 - Data Analysis with R - This course focuses on exploratory data analysis (EDA) utilizing R. EDA is an approach for summarizing and'
  ❌ Invalid title line: 'C751 - Data Analysis with R - This course focuses on exploratory data analysis (EDA) utilizing R. EDA is an approach for summarizing and'
  ➜ Parsing at 6198: 'visualizing the important characteristics of a data set. Exploratory data analysis focuses on exploring data to understand the data’s underlying'

🔍 parse_program: starting at line 6198: 'visualizing the important characteristics of a data set. Exploratory data analysis focuses on exploring data to understand the data’s underlying'
  ➜ Title candidate: 'visualizing the important characteristics of a data set. Exploratory data analysis focuses on exploring data to understand the data’s underlying'
  ❌ Invalid title line: 'visualizing the important characteristics of a data set. Exploratory data analysis focuses on exploring data to understand the data’s underlying'
  ➜ Parsing at 6199: 'structure and variables to develop intuition about the data set, to consider how that data set came into existence, and to decide how it can be'

🔍 parse_program: starting at line 6199: 'structure and variables to develop intuition about the data set, to consider how that data set came into existence, and to decide how it can be'
  ➜ Title candidate: 'structure and variables to develop intuition about the data set, to consider how that data set came into existence, and to decide how it can be'
  ❌ Invalid title line: 'structure and variables to develop intuition about the data set, to consider how that data set came into existence, and to decide how it can be'
  ➜ Parsing at 6200: 'investigated with more formal statistical methods.'

🔍 parse_program: starting at line 6200: 'investigated with more formal statistical methods.'
  ➜ Title candidate: 'investigated with more formal statistical methods.'
  ❌ Invalid title line: 'investigated with more formal statistical methods.'
  ➜ Parsing at 6201: 'C752 - Data Visualization - This course covers the application of design principles, human perception, color theory, and effective storytelling in the'

🔍 parse_program: starting at line 6201: 'C752 - Data Visualization - This course covers the application of design principles, human perception, color theory, and effective storytelling in the'
  ➜ Title candidate: 'C752 - Data Visualization - This course covers the application of design principles, human perception, color theory, and effective storytelling in the'
  ❌ Invalid title line: 'C752 - Data Visualization - This course covers the application of design principles, human perception, color theory, and effective storytelling in the'
  ➜ Parsing at 6202: 'context of data visualization. It addresses presenting data to others, facilitating aspirations to be an analyst or data scientist, and advancing technology'

🔍 parse_program: starting at line 6202: 'context of data visualization. It addresses presenting data to others, facilitating aspirations to be an analyst or data scientist, and advancing technology'
  ➜ Title candidate: 'context of data visualization. It addresses presenting data to others, facilitating aspirations to be an analyst or data scientist, and advancing technology'
  ❌ Invalid title line: 'context of data visualization. It addresses presenting data to others, facilitating aspirations to be an analyst or data scientist, and advancing technology'
  ➜ Parsing at 6203: 'with visualization tools. Additionally, this course focuses on how to visually encode and present data to an audience.'

🔍 parse_program: starting at line 6203: 'with visualization tools. Additionally, this course focuses on how to visually encode and present data to an audience.'
  ➜ Title candidate: 'with visualization tools. Additionally, this course focuses on how to visually encode and present data to an audience.'
  ❌ Invalid title line: 'with visualization tools. Additionally, this course focuses on how to visually encode and present data to an audience.'
  ➜ Parsing at 6204: 'C753 - Machine Learning - This course presents the end-to-end process of investigating data through a machine learning lens. Topics covered'

🔍 parse_program: starting at line 6204: 'C753 - Machine Learning - This course presents the end-to-end process of investigating data through a machine learning lens. Topics covered'
  ➜ Title candidate: 'C753 - Machine Learning - This course presents the end-to-end process of investigating data through a machine learning lens. Topics covered'
  ❌ Invalid title line: 'C753 - Machine Learning - This course presents the end-to-end process of investigating data through a machine learning lens. Topics covered'
  ➜ Parsing at 6205: 'include: techniques for extracting data, identifying useful features that best represent data, a survey of commonly-used machine learning algorithms,'

🔍 parse_program: starting at line 6205: 'include: techniques for extracting data, identifying useful features that best represent data, a survey of commonly-used machine learning algorithms,'
  ➜ Title candidate: 'include: techniques for extracting data, identifying useful features that best represent data, a survey of commonly-used machine learning algorithms,'
  ❌ Invalid title line: 'include: techniques for extracting data, identifying useful features that best represent data, a survey of commonly-used machine learning algorithms,'
  ➜ Parsing at 6206: 'and methods for evaluating the performance of machine learning algorithms.'

🔍 parse_program: starting at line 6206: 'and methods for evaluating the performance of machine learning algorithms.'
  ➜ Title candidate: 'and methods for evaluating the performance of machine learning algorithms.'
  ❌ Invalid title line: 'and methods for evaluating the performance of machine learning algorithms.'
  ➜ Parsing at 6207: 'C754 - Structured Query Language - This course focuses on structured query language (SQL). It starts with a review of the basic statements and'

🔍 parse_program: starting at line 6207: 'C754 - Structured Query Language - This course focuses on structured query language (SQL). It starts with a review of the basic statements and'
  ➜ Title candidate: 'C754 - Structured Query Language - This course focuses on structured query language (SQL). It starts with a review of the basic statements and'
  ❌ Invalid title line: 'C754 - Structured Query Language - This course focuses on structured query language (SQL). It starts with a review of the basic statements and'
  ➜ Parsing at 6208: 'continues on to the creation of complex queries that affect multiple tables and utilize SQL functions. Data manipulation language (DML) and data'

🔍 parse_program: starting at line 6208: 'continues on to the creation of complex queries that affect multiple tables and utilize SQL functions. Data manipulation language (DML) and data'
  ➜ Title candidate: 'continues on to the creation of complex queries that affect multiple tables and utilize SQL functions. Data manipulation language (DML) and data'
  ❌ Invalid title line: 'continues on to the creation of complex queries that affect multiple tables and utilize SQL functions. Data manipulation language (DML) and data'
  ➜ Parsing at 6209: 'definition language (DDL) are also covered, thus enabling the student to create and maintain database objects and modify data by using SQL'

🔍 parse_program: starting at line 6209: 'definition language (DDL) are also covered, thus enabling the student to create and maintain database objects and modify data by using SQL'
  ➜ Title candidate: 'definition language (DDL) are also covered, thus enabling the student to create and maintain database objects and modify data by using SQL'
  ❌ Invalid title line: 'definition language (DDL) are also covered, thus enabling the student to create and maintain database objects and modify data by using SQL'
  ➜ Parsing at 6210: 'commands.'

🔍 parse_program: starting at line 6210: 'commands.'
  ➜ Title candidate: 'commands.'
  ❌ Invalid title line: 'commands.'
  ➜ Parsing at 6211: 'C755 - Database Server Administration - This course covers the installation, configuration, and administration of database servers. Students will be'

🔍 parse_program: starting at line 6211: 'C755 - Database Server Administration - This course covers the installation, configuration, and administration of database servers. Students will be'
  ➜ Title candidate: 'C755 - Database Server Administration - This course covers the installation, configuration, and administration of database servers. Students will be'
  ❌ Invalid title line: 'C755 - Database Server Administration - This course covers the installation, configuration, and administration of database servers. Students will be'
  ➜ Parsing at 6212: 'introduced to all the logical and physical components of a database server and learn to set up a server in a network environment. Tools and strategies'

🔍 parse_program: starting at line 6212: 'introduced to all the logical and physical components of a database server and learn to set up a server in a network environment. Tools and strategies'
  ➜ Title candidate: 'introduced to all the logical and physical components of a database server and learn to set up a server in a network environment. Tools and strategies'
  ❌ Invalid title line: 'introduced to all the logical and physical components of a database server and learn to set up a server in a network environment. Tools and strategies'
  ➜ Parsing at 6213: 'for access and space management will be covered, as well as backup, restoration, and upgrade techniques.'

🔍 parse_program: starting at line 6213: 'for access and space management will be covered, as well as backup, restoration, and upgrade techniques.'
  ➜ Title candidate: 'for access and space management will be covered, as well as backup, restoration, and upgrade techniques.'
  ❌ Invalid title line: 'for access and space management will be covered, as well as backup, restoration, and upgrade techniques.'
  ➜ Parsing at 6214: 'C756 - Data Analytics - This course covers the most common tools, techniques, and procedures involved in data analytics. Students will review all'

🔍 parse_program: starting at line 6214: 'C756 - Data Analytics - This course covers the most common tools, techniques, and procedures involved in data analytics. Students will review all'
  ➜ Title candidate: 'C756 - Data Analytics - This course covers the most common tools, techniques, and procedures involved in data analytics. Students will review all'
  ❌ Invalid title line: 'C756 - Data Analytics - This course covers the most common tools, techniques, and procedures involved in data analytics. Students will review all'
  ➜ Parsing at 6215: 'the disciplines involved with data analytics learned in previous courses and get a better understanding of how they all relate to one another.'

🔍 parse_program: starting at line 6215: 'the disciplines involved with data analytics learned in previous courses and get a better understanding of how they all relate to one another.'
  ➜ Title candidate: 'the disciplines involved with data analytics learned in previous courses and get a better understanding of how they all relate to one another.'
  ❌ Invalid title line: 'the disciplines involved with data analytics learned in previous courses and get a better understanding of how they all relate to one another.'
  ➜ Parsing at 6216: 'C762 - Teacher Performance Assessment in Science - The Teacher Performance Assessment is a culmination of the wide variety of skills learned'

🔍 parse_program: starting at line 6216: 'C762 - Teacher Performance Assessment in Science - The Teacher Performance Assessment is a culmination of the wide variety of skills learned'
  ➜ Title candidate: 'C762 - Teacher Performance Assessment in Science - The Teacher Performance Assessment is a culmination of the wide variety of skills learned'
  ❌ Invalid title line: 'C762 - Teacher Performance Assessment in Science - The Teacher Performance Assessment is a culmination of the wide variety of skills learned'
  ➜ Parsing at 6217: 'during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of'

🔍 parse_program: starting at line 6217: 'during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of'
  ➜ Title candidate: 'during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of'
  ❌ Invalid title line: 'during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of'
  ➜ Parsing at 6218: 'your content, planning, instructional, and reflective skills in this professional assessment.'

🔍 parse_program: starting at line 6218: 'your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Title candidate: 'your content, planning, instructional, and reflective skills in this professional assessment.'
  ❌ Invalid title line: 'your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Parsing at 6219: '© Western Governors University 7/19/17 164'

🔍 parse_program: starting at line 6219: '© Western Governors University 7/19/17 164'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'C763 - Healthcare Information Systems Management - Information Systems Management provides an overview of many facets of information'
  ➜ Skipping stray line: 'systems that are applicable to business and healthcare. The course explores how information technology (IT) is an organizational resource that must'
  ➜ Skipping stray line: 'be managed so that it supports or enables organizational strategy. The course will discuss how decision support and communication are securely'
  ➜ Skipping stray line: 'facilitated in a global marketplace. The course also explores current and continuously evolving technologies, strategic thinking, and issues at the'
  ➜ Skipping stray line: 'intersection of management and technology.'
  ➜ Skipping stray line: 'C768 - Technical Communication - This course covers basic elements of technical communication, including professional written communication'
  ➜ Skipping stray line: 'proficiency; the ability to strategize approaches for differing audiences; and technical style, grammar, and syntax proficiency.'
  ➜ Skipping stray line: 'C769 - IT Capstone Written Project - The capstone project consists of a technical work proposal, the proposal’s implementation, and a post-'
  ➜ Skipping stray line: 'implementation report that describes the graduate’s experience in developing and implementing the capstone project. The capstone project should be'
  ➜ Skipping stray line: 'presented and approved by the mentor in relation to the graduate’s technical emphasis.'
  ➜ Skipping stray line: 'C772 - Data Analytics Graduate Capstone - The Data Analytics Graduate Capstone course allows the student to demonstrate their application of the'
  ➜ Skipping stray line: 'academic and professional abilities developed as a graduate student. The capstone challenges students to integrate skills and knowledge from'
  ➜ Skipping stray line: 'several program domains into one project.'
  ➜ Skipping stray line: 'C773 - User Interface Design - This course covers tools and techniques employed in user interface design including web and mobile applications.'
  ➜ Skipping stray line: 'Concepts of clarity, usability and detectability are included in this course as well as other design elements such as color schemes, typography, and'
  ➜ Skipping stray line: 'layout . Techniques like wireframing, usability testing, and SEO optimization are also covered. This course prepares students for the CIW User'
  ➜ Skipping stray line: 'Interface Designer certification.'
  ➜ Skipping stray line: 'C777 - Web Development Applications - This course prepares students for the CIW Advanced HTML5 and CSS3 Specialist certification exam. This'
  ➜ Skipping stray line: 'course builds upon a student's manual coding skills by teaching how to develop web documents and pages using the Web Development Trifecta:'
  ➜ Skipping stray line: 'HTML5 (Hypertext Markup Language version 5) and CSS3 (Cascading Style Sheets version 3) and JavaScript. Students will utilize the skills learned'
  ➜ Skipping stray line: 'in this course to create web documents and pages that easily adapt to display on both traditional and mobile devices. In addition, students will learn'
  ➜ Skipping stray line: 'techniques for code validation and testing, form creation, inline form field validation, and mobile design for browsers and apps, including Responsive'
  ➜ Skipping stray line: 'Web Design (RWD).'
  ➜ Skipping stray line: 'C779 - Web Development Foundations -'
  ➜ Skipping stray line: 'This course prepares students for the CIW Site Development Associate certification. The course introduces students to web design and development'
  ➜ Skipping stray line: 'by presenting them with HTML5 and CSS, the foundational languages of the web, by reviewing media strategies, and by using tools and techniques'
  ➜ Skipping stray line: 'commonly employed in web development.'
  ➜ Skipping stray line: 'C783 - Project Management - In this course, students examine project management concepts based on the five process groups and ten knowledge'
  ➜ Skipping stray line: 'areas identified in the Project Management Body of Knowledge (PMBOK) Guide in preparation for completing the PMI Certified Associate in Project'
  ➜ Skipping stray line: 'Management (CAPM) certification exam.'
  ➜ Skipping stray line: 'C784 - Applied Healthcare Statistics - Applied Healthcare Probability and Statistics is designed to help you develop competence in the fundamental'
  ➜ Skipping stray line: 'concepts of basic mathematics, introductory algebra, and statistics and probability. These concepts include: basic arithmetic with fractions and signed'
  ➜ Skipping stray line: 'numbers; introductory algebra and graphing; descriptive statistics; regression and correlation; and probability. Statistical data and probability are now'
  ➜ Skipping stray line: 'commonplace in the healthcare field. You need to be able to make informed decisions about which studies and results are valid, which are not, and'
  ➜ Skipping stray line: 'how those results affect your decisions. This course will give you background in what constitutes sound research design and how to appropriately'
  ➜ Skipping stray line: 'model phenomena using statistical data. Additionally, you will be able to calculate simple probabilities, especially based on events which occur in the'
  ➜ Skipping stray line: 'healthcare profession. This course will prepare you for your studies at WGU, as well as in the healthcare profession.'
  ➜ Skipping stray line: 'C785 - Biochemistry - Biochemistry covers the structure and function of the four major polymers produced by living organisms. These include nucleic'
  ➜ Skipping stray line: 'acids, proteins, carbohydrates, and lipids. This course focuses on application! Be sure to understand the underlying biochemistry in order to grasp how'
  ➜ Skipping stray line: 'it is applied. By successfully completing this course, you will gain an introductory understanding of the chemicals and reactions that sustain life. You'
  ➜ Skipping stray line: 'will also begin to see the importance of this subject matter to health.'
  ➜ Skipping stray line: 'C787 - Health and Wellness Through Nutritional Science - Nutritional ignorance or misunderstandings are at the root of the health problems that'
  ➜ Skipping stray line: 'most Americans face today. Nurses need to be armed with the most current information available about nutrition science including how to understand'
  ➜ Skipping stray line: 'nutritional content of food, implications of exercise and activity on food consumption and weight management, and management of community or'
  ➜ Skipping stray line: 'population specific nutritional challenges. The Nutrition for Contemporary Society course should prepare nurses to provide support, guidance and'
  ➜ Skipping stray line: 'teaching about incorporation of sound nutritional principles into daily life for health promotion. This course covers the following concepts: nutrition to'
  ➜ Skipping stray line: 'support wellness; healthy nutritional choices; nutrition and physical activity; nutrition through the lifecycle; safety and security of food; and nutrition and'
  ➜ Skipping stray line: 'global health environments.'
  ➜ Skipping stray line: 'C790 - Foundations in Nursing Informatics - This course addresses the integration of technology to improve and support nursing practice. It'
  ➜ Skipping stray line: 'provides nurses with a foundational understanding of nursing informatics theory, practice, and applications. Topics include the role of nursing in'
  ➜ Skipping stray line: 'informatics; use of computer technology for clinical documentation, communication, and workflows; problem identification; project implementation; and'
  ➜ Skipping stray line: 'best practices.'
  ➜ Skipping stray line: 'C791 - Advanced Information Management and the Application of Technology - In this course you will examine complementary roles of master’s'
  ➜ Skipping stray line: 'level-prepared nursing information technology professionals, including informaticists and quality officers. You will analyze current and emerging'
  ➜ Skipping stray line: 'technologies; data management; ethical legal and regulatory best-practice evidence; and bio-health informatics using decision-making support'
  ➜ Skipping stray line: 'systems at the point of care.'
  ➜ Skipping stray line: 'C792 - Data Modeling and Database Management Systems - This graduate course is designed to engage the student in planning, analyzing, and'
  ➜ Skipping stray line: 'designing a relational database management system (DBMS) for use by nurse administrators, clinicians, educators, and informaticists. This'
  ➜ Skipping stray line: 'experience will provide the knowledge needed to advocate for nursing informatics needs within the field of healthcare.'
  ➜ Skipping stray line: 'C793 - Nursing Informatics Field Experience - In the Nursing Informatics Field Experience, you will complete a hands-on field experience while'
  ➜ Skipping stray line: 'working with a preceptor in a setting relevant to your professional situation and nursing informatics. Today’s rapidly changing health delivery system'
  ➜ Skipping stray line: 'requires nurse informaticists to be prepared to effectively lead change and facilitate learning that is dynamic and meets the needs of a diverse student'
  ➜ Skipping stray line: 'and professional nursing population. To help you develop competency in this area, you will apply methods and solutions to support clinical decisions'
  ➜ Skipping stray line: 'and improve health outcomes by designing data collection instruments, developing a database management system and analyzing data using'
  ➜ Skipping stray line: 'statistical and geospatial techniques in a simulated environment.'
  ➜ Skipping stray line: 'C794 - Nursing Informatics Capstone - The Nursing Informatics Capstone is the final leg in your journey to graduation. During this course, you will'
  ➜ Skipping stray line: 'present evidence of the knowledge and skills you gained during this program by completing a comprehensive evaluation of a health information'
  ➜ Skipping stray line: 'system. You will develop a multimedia presentation that reviews and reflects on your learning experiences during the Nursing Informatics program.'
  ➜ Skipping stray line: 'This scholarly presentation is a synthesis that illustrates the acquisition of nursing informatics knowledge, skills, and competencies. Your final'
  ➜ Skipping stray line: 'presentation should demonstrate how the integration of nursing informatics facilitates the transformation of data and information to knowledge and'
  ➜ Skipping stray line: 'wisdom in a nursing practice. The presentation will be developed using the best practices for narrated PowerPoint presentations (see the MSN'
  ➜ Skipping stray line: 'Capstone Presentation section for details).'
  ➜ Skipping stray line: 'C797 - Data Science and Analytics - This course addresses the interdisciplinary and emerging field of data science in healthcare. Students will learn'
  ➜ Skipping stray line: 'to combine tools and techniques from statistics, computer science, data visualization, and the social sciences to solve problems using data. Topics'
  ➜ Skipping stray line: 'include data analysis, database management, inferential and descriptive statistics, statistical inference, and process improvement.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 165'
  ➜ Skipping stray line: 'C798 - Informatics System Analysis and Design - In Informatics System Analysis and Design, a broad understanding of data systems is covered to'
  ➜ Skipping stray line: 'build upon the Foundations in Nursing Informatics course. The importance of effective interoperability, functionality, data access, and user satisfaction'
  ➜ Skipping stray line: 'are addressed. The student will be analyzing reports and integrating federal regulations, research principles, and principles of environmental health in'
  ➜ Skipping stray line: 'the construction of a real-world systems analysis and design project. This course will be directly applicable to healthcare settings as electronic records'
  ➜ Skipping stray line: 'management has become compulsory for healthcare providers. All of the information in this course will be directly tied to the delivery of quality patient'
  ➜ Skipping stray line: 'care and patient safety.'
  ➜ Skipping stray line: 'C799 - Healthcare Ecosystems - Healthcare Ecosystems explores the history and state of healthcare organizations in an ever-changing'
  ➜ Skipping stray line: 'environment. This course covers how agencies influence healthcare delivery through legal, licensure, certification, and accreditation standards. The'
  ➜ Skipping stray line: 'course will also discuss how new technologies and trends keep healthcare delivery innovative and current.'
  ➜ Skipping stray line: 'C800 - Introduction to Healthcare IT Systems - Introduction to Healthcare IT Systems introduces students to information technology as a discipline.'
  ➜ Skipping stray line: 'This course also exposes students to the various roles and functions of the health information manager to support the business of healthcare. There'
  ➜ Skipping stray line: 'are no prerequisites for this course.'
  ➜ Skipping stray line: 'C801 - Health Information Law and Regulations - Health Information Law and Regulations prepares students to manage health information in'
  ➜ Skipping stray line: 'compliance with legal guidelines and teaches how to respond to questions and challenges when legal issues occur. This course presents the types of'
  ➜ Skipping stray line: 'situations occurring in health information management that could result in ethical dilemmas and establishes a foundation for work based on legal and'
  ➜ Skipping stray line: 'ethical guidelines.'
  ➜ Skipping stray line: 'C802 - Foundations in Healthcare Information Management - Foundations in Healthcare Information applies theories from business, IT,'
  ➜ Skipping stray line: 'management, medicine, and consumer-centered healthcare skills. Students will learn to evaluate and analyze health information systems for'
  ➜ Skipping stray line: 'implementation in health information management. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C803 - Data Analytics and Information Governance - Data Analytics and Information Governance explores the structure, methods, and approaches'
  ➜ Skipping stray line: 'for using health information in the healthcare industry. By focusing on quality data collection, analytics, and industry regulations, students will examine'
  ➜ Skipping stray line: 'tools that ensure quality data collection as well as use data to improve quality of care. This course has no prerequisites.'
  ➜ Skipping stray line: 'C804 - Medical Terminology - Medical Terminology focuses on the basic components of medical terminology and how terminology is used when'
  ➜ Skipping stray line: 'discussing various body structures and systems. Proper use of medical terminology is critical for accurate and clear communication among medical'
  ➜ Skipping stray line: 'staff, health professionals, and patients. In addition to the systems of the body, this course will discuss immunity, infections, mental health, and cancer.'
  ➜ Skipping stray line: 'C805 - Pathophysiology - Pathophysiology is an overview of the pathology and treatment of diseases in the human body and its systems. This'
  ➜ Skipping stray line: 'course will explain the processes in the body that result in the signs and symptoms of disease, as well as therapeutic procedures in managing or'
  ➜ Skipping stray line: 'curing the disease. The content draws on a knowledge of anatomy and physiology to understand how diseases manifest themselves and how they'
  ➜ Skipping stray line: 'affect the body.'
  ➜ Skipping stray line: 'C806 - Introduction to Pharmacology - Introduction to Pharmacology provides information about drug development and approvals, pharmaceutical'
  ➜ Skipping stray line: 'classifications, metabolism, and the effect of drugs on body systems. The course will introduce advancements in pharmaceutical technology,'
  ➜ Skipping stray line: 'regulatory requirements within electronic health record systems, and the financial implications of pharmaceutical coding and billing. This course has no'
  ➜ Skipping stray line: 'prerequisites.'
  ➜ Skipping stray line: 'C807 - Healthcare Compliance - Healthcare Compliance examines the role of the coding professional within healthcare information management.'
  ➜ Skipping stray line: 'The course covers compliance plans, issues that arise with noncompliance, and management of internal and external audits.'
  ➜ Skipping stray line: 'C808 - Classification Systems - Classification Systems provides a comprehensive approach to learning about medical coding classification, coding'
  ➜ Skipping stray line: 'audits and quality standards. Students will be exposed to electronic health record systems and leadership principles as they relate to management of'
  ➜ Skipping stray line: 'ICD and CPT codes. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C810 - Foundations in Healthcare Data Management - Foundations in Healthcare Data Management introduces students to the concepts and'
  ➜ Skipping stray line: 'terminology used in health data and health information management. This course teaches students how to apply data management and governance'
  ➜ Skipping stray line: 'principles in the healthcare environment. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C811 - Healthcare Financial Resource Management - Healthcare Financial Resource Management examines financial practices within healthcare'
  ➜ Skipping stray line: 'industries to promote effective management at department and organization levels. Focusing on financial processes associated with facility operations'
  ➜ Skipping stray line: 'in the healthcare field, this course will analyze the impact of strategic financial planning and regulatory control processes. This course has no'
  ➜ Skipping stray line: 'prerequisites.'
  ➜ Skipping stray line: 'C812 - Healthcare Reimbursement - Healthcare Reimbursement explores financial practices within the healthcare industry as they relate to'
  ➜ Skipping stray line: 'reimbursement policies. This course identifies how reimbursement systems impact the revenue cycle and a health information manager's role. This'
  ➜ Skipping stray line: 'course has no prerequisites.'
  ➜ Skipping stray line: 'C813 - Healthcare Statistics and Research - Healthcare Statistics and Research explores the use of statistical data to support process improvement'
  ➜ Skipping stray line: 'through health information research. Health information management (HIM) professionals use information systems to gather, analyze, and present'
  ➜ Skipping stray line: 'data in response to administrative and clinical needs. This course has no prerequisites.'
  ➜ Skipping stray line: 'C815 - Quality and Performance Management and Methods - Quality and Performance Management and Methods examines quality initiatives'
  ➜ Skipping stray line: 'within healthcare. Quality issues cover human resource management, employee performance and patient safety. This course focuses on quality'
  ➜ Skipping stray line: 'improvement initiatives and performance improvement with the health information management perspective.'
  ➜ Skipping stray line: 'C816 - Healthcare System Applications - Healthcare System Applications introduces students to information systems. This course includes'
  ➜ Skipping stray line: 'important topics related to management of information systems (MIS), such as system development and business continuity. The course also provides'
  ➜ Skipping stray line: 'an overview of management tools and issue tracking systems. This course has no prerequisites.'
  ➜ Skipping stray line: 'C818 - Health Information Management Capstone - tbd'
  ➜ Skipping stray line: 'C820 - Professional Leadership and Communication for Healthcare - The Leadership and Communication course is designed to help students'
  ➜ Skipping stray line: 'prepare for success in the online environment at Western Governors University and beyond. Student success starts with the social support and self-'
  ➜ Skipping stray line: 'reflective awareness that will prepare students to weather the challenges of academic programs. In this course students will participate in group'
  ➜ Skipping stray line: 'activities and complete a number of individual assignments. The group activities are aimed at finding support and insight from other students. The'
  ➜ Skipping stray line: 'assignments are intended to give the student an opportunity to reflect about where they are and where they would like to be. The activities in each'
  ➜ Skipping stray line: 'group meeting are designed to give students several tools they can use to achieve success. This course is designed as a eight-part intensive learning'
  ➜ Skipping stray line: 'experience. Students will attend eight group meetings during the term. At each meeting students will engage in activities that help them understand'
  ➜ Skipping stray line: 'their own educational journey and find support and inspiration in the journey of others.'
  ➜ Skipping stray line: 'C821 - Nursing Education Field Experience - Nurse educators teach the next generation of nurses, in academic and clinical settings. They must be'
  ➜ Skipping stray line: 'licensed to practice nursing and have considerable hands-on nursing experience, as well as advanced training and education. The Nursing Education'
  ➜ Skipping stray line: 'Field Experience provides the graduate student with an opportunity to work collaboratively within the organization where he/she is employed to'
  ➜ Skipping stray line: 'address an identified nursing problem, need, or gap in current practices. Students then work to promote a practice change, quality improvement, or'
  ➜ Skipping stray line: 'innovation that is based on the existing evidence and best practices.'
  ➜ Skipping stray line: 'C822 - Nurse Educator Capstone - The capstone is a scholarly project that addresses an issue, need, gap or opportunity resulting from an identified'
  ➜ Skipping stray line: 'in nursing education or healthcare need. The capstone project provides the opportunity for the graduate nursing student to demonstrate competency'
  ➜ Skipping stray line: 'through design, application and evaluation of advanced nursing knowledge and higher level leadership skills for ultimately improving health outcomes'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 166'
  ➜ Skipping stray line: 'C823 - Nursing Leadership and Management Field Experience - Today’s rapidly changing healthcare delivery environment requires nurse'
  ➜ Skipping stray line: 'executives to effectively lead change to achieve organization goals and improvements. Registered nurses needs to hold an active nursing license and'
  ➜ Skipping stray line: 'have considerable clinical experience and education to become a nurse leader or manager. The Nursing Leadership and Management Field'
  ➜ Skipping stray line: 'Experience provides the graduate student with an opportunity to work collaboratively within the organization where he/she is employed to address an'
  ➜ Skipping stray line: 'identified nursing problem, need, or gap in current practices. Students then work to promote a practice change, quality improvement, or innovation that'
  ➜ Skipping stray line: 'is based on the existing evidence and best practices.'
  ➜ Skipping stray line: 'C824 - Nursing Leadership and Management Capstone - The Nursing Leadership and Management capstone course provides the student with an'
  ➜ Skipping stray line: 'opportunity to engage in a project that is actionable, relevant, highly collaborative, and based on real world experience. The capstone involves'
  ➜ Skipping stray line: 'development of a scholarly project that addresses a problem, need, or gap in current practices. The capstone project provides an opportunity for the'
  ➜ Skipping stray line: 'graduate nursing student to demonstrate competency through design, application, and evaluation of a planned practice change, quality improvement,'
  ➜ Skipping stray line: 'or innovation that is based on the existing evidence and best practices.'
  ➜ Skipping stray line: 'C825 - Introduction to Nursing Arts and Science - Intro to Nursing Clinical Skills is a skills lab section in which students will have the opportunity to'
  ➜ Skipping stray line: 'practice skills learned in didactic in a learning lab. Students will be introduced to and learn the fundamental skills of nursing, including: assessment,'
  ➜ Skipping stray line: 'vital signs, principles of safety, equipment uses, bathing, oral hygiene, perineal care, principles of asepsis, ambulating, transferring, range of motion,'
  ➜ Skipping stray line: 'restraints, fall prevention, and communication. Students successful in the lab assessment will be considered for admission to the BSRN program.'
  ➜ Skipping stray line: 'C826 - Community Health and Population-Focused Nursing - Community Health and Population-Focused Nursing will assist students in becoming'
  ➜ Skipping stray line: 'familiar with foundational theories and models of health promotion applicable to the community health nursing environment. Students will develop an'
  ➜ Skipping stray line: 'understanding of how policies and resources influence the health of populations. Focus is concentrated on learning the importance of a community'
  ➜ Skipping stray line: 'assessment to improve or resolve a community health issue. Students will be introduced to the relationships between cultures and communities and'
  ➜ Skipping stray line: 'the steps necessary to create community collaboration with the goal to improve or resolve community health issues in a variety of settings. Students'
  ➜ Skipping stray line: 'will gain a greater understanding of health systems in the United States, global health issues, quality-of-life issues, cultural influences, community'
  ➜ Skipping stray line: 'collaboration, and emergency preparedness.'
  ➜ Skipping stray line: 'C828 - Teacher Performance Assessment in Elementary Education - The Teacher Performance Assessment is a culmination of the wide variety of'
  ➜ Skipping stray line: 'skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a'
  ➜ Skipping stray line: 'collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C829 - Teacher Performance Assessment in Elementary and Special Education - The Teacher Performance Assessment is a culmination of the'
  ➜ Skipping stray line: 'wide variety of skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you'
  ➜ Skipping stray line: 'will showcase a collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C830 - Teacher Performance Assessment in Mathematics Education - The Teacher Performance Assessment is a culmination of the wide variety'
  ➜ Skipping stray line: 'of skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase'
  ➜ Skipping stray line: 'a collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C836 - Fundamentals of Information Security - This course lays the foundation for understanding terminology, principles, processes and best'
  ➜ Skipping stray line: 'practices of information security at local and global levels. It further provides an overview of basic security vulnerabilities and countermeasures for'
  ➜ Skipping stray line: 'protecting information assets through planning and administrative controls within an organization.'
  ➜ Skipping stray line: 'C837 - Managing Web Security - Almost all businesses and organizations require a web presence. The security needs, demands, and defenses for'
  ➜ Skipping stray line: 'these online environments differ from those of an isolated single computer or intranet. This course introduces best practices for preventing security'
  ➜ Skipping stray line: 'breaches by applying web security protocols, firewalls, and system configurations. This course prepares students for the Web Security Associate (CIW'
  ➜ Skipping stray line: 'WSA) certification exam.'
  ➜ Skipping stray line: 'C838 - Managing Cloud Security - Many of today’s companies and organizations have outsourced data management, availability, and operational'
  ➜ Skipping stray line: 'processes through cloud computing. In this course, students design solutions for cloud-based platforms and operations that maintain data availability'
  ➜ Skipping stray line: 'while protecting the confidentiality and integrity of information. This includes security controls, disaster recovery plans, and continuity management'
  ➜ Skipping stray line: 'plans that address physical, logical, and human factors. This course prepares students for the Certified Cloud Security Professional (ISC2 CCSP)'
  ➜ Skipping stray line: 'certification exam.'
  ➜ Skipping stray line: 'C839 - Introduction to Cryptography - This course provides students with knowledge of cryptographic algorithms, protocols, and their uses in the'
  ➜ Skipping stray line: 'protection of information in various states. This course prepares students for the Certified Encryption Specialist (EC-Council ECES) certification exam.'
  ➜ Skipping stray line: 'C840 - Digital Forensics in Cybersecurity - Digital forensics, the science of investigating cybercrimes, seeks evidence that reveals who, what, when,'
  ➜ Skipping stray line: 'where, and how threats compromise information. This course examines the relationships between incident categories, evidence handling, and incident'
  ➜ Skipping stray line: 'management. Students identify consequences associated with cyber threats and security laws using a variety of tools to recognize and recover from'
  ➜ Skipping stray line: 'unauthorized, malicious activities.'
  ➜ Skipping stray line: 'C841 - Legal Issues in Information Security - Security information professionals have the role and responsibility for knowing and applying ethical'
  ➜ Skipping stray line: 'and legal principles and processes that define specific needs and demands to assure data integrity within an organization. This course addresses the'
  ➜ Skipping stray line: 'laws, regulations, authorities, and directives that inform the development of operational policies, best practices, and training to assure legal'
  ➜ Skipping stray line: 'compliance and to minimize internal and external threats. Students analyze legal constraints and liability concerns that threaten information security'
  ➜ Skipping stray line: 'within an organization and develop disaster recovery plans to assure business continuity.'
  ➜ Skipping stray line: 'C842 - Cyber Defense and Countermeasures - Traditional defenses such as firewalls, security protocols, and encryption sometimes fail to stop'
  ➜ Skipping stray line: 'attackers determined to access and compromise data. This course provides the fundamental skills to handle and respond to the computer security'
  ➜ Skipping stray line: 'incidents in an information system. The course addresses various underlying principles and techniques for detecting and responding to current and'
  ➜ Skipping stray line: 'emerging computer security threats. Students learn how to handle various types of incidents, risk assessment methodologies, and various laws and'
  ➜ Skipping stray line: 'policy related to incident handling. This course prepares students for the Certified Incident Handler (EC-Council ECIH) certification exam.'
  ➜ Skipping stray line: 'C843 - Managing Information Security - This course expands on fundamentals of information security by providing an in-depth analysis of the'
  ➜ Skipping stray line: 'relationship between an information security program and broader business goals and objectives. Students develop knowledge and experience in the'
  ➜ Skipping stray line: 'development and management of an information security program essential to ongoing education, career progression, and value delivery to'
  ➜ Skipping stray line: 'enterprises. Students apply best practices to develop an information security governance framework, analyze mitigation in the context of compliance'
  ➜ Skipping stray line: 'requirements, align security programs with security strategies and best practices, and recommend procedures for managing security strategies that'
  ➜ Skipping stray line: 'minimize risk to an organization.'
  ➜ Skipping stray line: 'C844 - Emerging Technologies in Cybersecurity - The continual evolution of technology means that cybersecurity professionals must be able to'
  ➜ Skipping stray line: 'analyze and evaluate new technologies in information security such as wireless, mobile, and internet technologies. Students review the adoption'
  ➜ Skipping stray line: 'process which prepares an organization for the risks and challenges of implementing new technologies. This course focuses on comparison of'
  ➜ Skipping stray line: 'evolving technologies to address the security requirements of an organization. Students learn underlying principles critical to the operation of secure'
  ➜ Skipping stray line: 'networks and adoption of new technologies.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 167'
  ➜ Skipping stray line: 'C845 - Information Systems Security - IT security professionals must be prepared for the operational demands and responsibilities of security'
  ➜ Skipping stray line: 'practitioners, including authentication, security testing, intrusion detection and prevention, incident response and recovery, attacks and'
  ➜ Skipping stray line: 'countermeasures, cryptography, and malicious code countermeasures. This course provides a comprehensive, up-to-date global body of knowledge'
  ➜ Skipping stray line: 'that ensures students have the right information security knowledge and skills to be successful in IT operational roles to mitigate security concerns and'
  ➜ Skipping stray line: 'guard against the impact of malicious activity. Students demonstrate how to manage and restrict access control systems; administer policies,'
  ➜ Skipping stray line: 'procedures, and guidelines that are ethical and compliant with laws and regulations; implement risk management and incident handling processes;'
  ➜ Skipping stray line: 'execute cryptographic systems to protect data; manage network security; and analyze common attack vectors and countermeasures to assure'
  ➜ Skipping stray line: 'information integrity and confidentiality in various systems. This course prepares students for the Systems Security Certified Practitioner (ISC2 SSCP)'
  ➜ Skipping stray line: 'certification exam.'
  ➜ Skipping stray line: 'C846 - Business of IT - Applications - Business of IT – Applications examines Information Technology Infrastructure Library ( ITIL®) terminology,'
  ➜ Skipping stray line: 'structure, policies, and concepts. Focusing on the management of Information Technology (IT) infrastructure, development, and operations, students'
  ➜ Skipping stray line: 'will explore the core principles of ITIL practices for service management to prepare them for careers as IT professionals, business managers, and'
  ➜ Skipping stray line: 'business process owners. This course has no prerequisites.'
  ➜ Skipping stray line: 'C847 - Fundamentals of Diversity, Inclusion, and Exceptional Learners - Students will learn the history of inclusion and develop practical'
  ➜ Skipping stray line: 'strategies for modifying instruction, in accordance with legal expectations, to meet the needs of a diverse population of learners. This population'
  ➜ Skipping stray line: 'includes learners with disabilities, gifted and talented learners, culturally diverse learners, and English language learners.'
  ➜ Skipping stray line: 'C848 - Fundamentals of Diversity, Inclusion, and Exceptional Learners - Students will learn the history of inclusion and develop practical'
  ➜ Skipping stray line: 'strategies for modifying instruction, in accordance with legal expectations, to meet the needs of a diverse population of learners. This population'
  ➜ Skipping stray line: 'includes learners with disabilities, gifted and talented learners, culturally diverse learners, and English language learners.'
  ➜ Skipping stray line: 'C853 - Teacher Performance Assessment in English - The Teacher Performance Assessment serves as the final, culminating project in your'
  ➜ Skipping stray line: 'degree program. It is a formal, scholarly piece of work. You are required to design and develop a two-week-long (minimum), standards-based'
  ➜ Skipping stray line: 'curriculum unit. You will then implement (i.e., teach) the unit in your classroom and gather data as to its effectiveness.'
  ➜ Skipping stray line: 'C860 - Innovation Project - This course explores healthcare innovation by having you compare examples, apply concepts, perform research and'
  ➜ Skipping stray line: 'analysis, and create original work. You will complete and submit an Innovation proposal form describing a new technology to decrease clinic wait'
  ➜ Skipping stray line: 'times.'
  ➜ Skipping stray line: 'C861 - Healthcare Systems Project - You will explore healthcare systems by evaluating the needs of a group medical center to expand care to a'
  ➜ Skipping stray line: 'growing population of underserved and underinsured patients. You will assess the value of affiliation with other providers and potential payers, analyze'
  ➜ Skipping stray line: 'several healthcare organizations as potential partners for affiliation, and determine what type of affiliation structure will best meet the needs of the'
  ➜ Skipping stray line: 'medical center. This project culminates in the creation of a proposed “affiliation recommendation” that summarizes the assessment of three candidate'
  ➜ Skipping stray line: 'organizations.'
  ➜ Skipping stray line: 'C862 - Healthcare Quality Project - You will use Six Sigma principles and strategies, as well as other quality concepts (DMAIC), to address problems'
  ➜ Skipping stray line: 'of high patient wait times and poor physician communication at a highly functioning level 1 trauma center. You will develop a healthcare quality'
  ➜ Skipping stray line: 'improvement process that implements the five phases of a Six Sigma approach. You will also analyze challenges executives face in identifying,'
  ➜ Skipping stray line: 'synthesizing, and acting upon healthcare data to improve operations and patient-centered care.'
  ➜ Skipping stray line: 'C863 - Healthcare Financial Management Project - You will develop a value-based payment model and strategic implementation plan to provide'
  ➜ Skipping stray line: 'high-quality, most cost-effective care to a high-risk patient population. The organization is currently not equipped to take on the risks inherent in the'
  ➜ Skipping stray line: 'population of Southern Florida. To create a successful plan, you will analyze and interpret data to determine the population's need and justify that their'
  ➜ Skipping stray line: 'organization can financially support and sustain the new system.'
  ➜ Skipping stray line: 'C864 - Enterprise Risk Management Project - You will take on the role of a consulting risk manager for the Phoenix VA Health Care System'
  ➜ Skipping stray line: '(PVAHCS) to address the Office of Inspector General’s report. You begin by identifying and analyzing risk issues embedded within a real-world'
  ➜ Skipping stray line: 'scenario. You will use enterprise risk management (ERM) concepts to create and define implementation strategies for an ERM plan to mitigate and'
  ➜ Skipping stray line: 'manage the risks identified. Finally, you will recommend a new system model.'
  ➜ Skipping stray line: 'C865 - Population Health and Care Coordination Project - You will design a chronic care population management plan and change a health'
  ➜ Skipping stray line: 'system's model to one that focuses on patient and family. You will review a model from Mississippi that has expanded Medicaid where the'
  ➜ Skipping stray line: 'opportunities to develop partnerships are ideal. To help control costs, you will develop a wellness and prevention program alongside the disease'
  ➜ Skipping stray line: 'management model already being used in a system of their choice.'
  ➜ Skipping stray line: 'C870 - Human Anatomy and Physiology - This course examines the structures and functions of the human body and covers anatomical'
  ➜ Skipping stray line: 'terminology, cells and tissues, and organ systems. Students will use a dissection lab to study the healthy state of the organ systems of the human'
  ➜ Skipping stray line: 'body, including the digestive, skeletal, sensory, respiratory, reproductive, nervous, muscular, cardiovascular, lymphatic, integumentary, endocrine, and'
  ➜ Skipping stray line: 'renal systems. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C871 - MA, Science Education Teacher Performance Assessment - MA, Science Education (5-12 Geo) Teacher Performance Assessment'
  ➜ Skipping stray line: 'contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct evidence of the'
  ➜ Skipping stray line: 'candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect on the learning'
  ➜ Skipping stray line: 'process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional unit consisting'
  ➜ Skipping stray line: 'of seven components: 1) Contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision making, 6) analysis of'
  ➜ Skipping stray line: 'student learning, and 7) self-evaluation and reflection.'
  ➜ Skipping stray line: 'C873 - Teacher Performance Assessment in Elementary Education - The Teacher Performance Assessment is a culmination of the wide variety'
  ➜ Skipping stray line: 'of skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase'
  ➜ Skipping stray line: 'a collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C874 - MA, Mathematics Education (5-12) Teacher Performance Assessment - MA, Mathematics Education (5-12) Teacher Performance'
  ➜ Skipping stray line: 'Assessment contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct'
  ➜ Skipping stray line: 'evidence of the candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect'
  ➜ Skipping stray line: 'on the learning process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional'
  ➜ Skipping stray line: 'unit consisting of seven components: 1) Contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision'
  ➜ Skipping stray line: 'making, 6) analysis of student learning, and 7) self-evaluation and reflection.'
  ➜ Skipping stray line: 'C875 - Human Anatomy and Physiology - This course examines the structures and functions of the human body and covers anatomical'
  ➜ Skipping stray line: 'terminology, cells and tissues, and organ systems. Students will use a dissection lab to study the healthy state of the organ systems of the human'
  ➜ Skipping stray line: 'body, including the digestive, skeletal, sensory, respiratory, reproductive, nervous, muscular, cardiovascular, lymphatic, integumentary, endocrine, and'
  ➜ Skipping stray line: 'renal systems. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C876 - Conceptual Physics - Conceptual Physics provides a broad, conceptual overview of the main principles of physics, including mechanics,'
  ➜ Skipping stray line: 'thermodynamics, wave motion, modern physics, and electricity and magnetism. Problem-solving activities and laboratory experiments provide'
  ➜ Skipping stray line: 'students with opportunities to apply these main principles, creating a strong foundation for future studies in physics. There are no prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 168'
  ➜ Skipping stray line: 'C877 - Mathematical Modeling and Applications - Mathematical Modeling and Applications applies mathematics, such as differential equations,'
  ➜ Skipping stray line: 'discrete structures, and statistics to formulate models and solve real-world problems. This course emphasizes improving students’ critical thinking to'
  ➜ Skipping stray line: 'help them understand the process and application of mathematical modeling. Probability and Statistics II and Calculus II are prerequisites.'
  ➜ Skipping stray line: 'C878 - Mathematical Modeling and Applications - Mathematical Modeling and Applications applies mathematics, such as differential equations,'
  ➜ Skipping stray line: 'discrete structures, and statistics to formulate models and solve real-world problems. This course emphasizes improving students’ critical thinking to'
  ➜ Skipping stray line: 'help them understand the process and application of mathematical modeling. Probability and Statistics II and Calculus II are prerequisites.'
  ➜ Skipping stray line: 'C879 - Algebra for Secondary Mathematics Teaching - Algebra for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of algebra. Secondary teachers should have an understanding of the following: algebra as an extension of number, operation, and'
  ➜ Skipping stray line: 'quantity; various ideas of equivalence as it pertains to algebraic structures; patterns of change as covariation between quantities; connections'
  ➜ Skipping stray line: 'between representations (tables, graphs, equations, geometric models, context); and the historical development of content and perspectives from'
  ➜ Skipping stray line: 'diverse cultures. In particular, the focus should be on deeper understanding of rational numbers, ratios and proportions, meaning and use of variables,'
  ➜ Skipping stray line: 'functions (e.g., exponential, logarithmic, polynomials, rational, quadratic), and inverses. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C880 - Algebra for Secondary Mathematics Teaching - Algebra for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of algebra. Secondary teachers should have an understanding of the following: algebra as an extension of number, operation, and'
  ➜ Skipping stray line: 'quantity; various ideas of equivalence as it pertains to algebraic structures; patterns of change as covariation between quantities; connections'
  ➜ Skipping stray line: 'between representations (tables, graphs, equations, geometric models, context); and the historical development of content and perspectives from'
  ➜ Skipping stray line: 'diverse cultures. In particular, the focus should be on deeper understanding of rational numbers, ratios and proportions, meaning and use of variables,'
  ➜ Skipping stray line: 'functions (e.g., exponential, logarithmic, polynomials, rational, quadratic), and inverses. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C881 - Geometry for Secondary Mathematics Teaching - Geometry for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of geometry. Secondary teachers in this course will develop a deep understanding of constructions and transformations,'
  ➜ Skipping stray line: 'congruence and similarity, analytic geometry, solid geometry, conics, trigonometry, and the historical development of content. Calculus I is a'
  ➜ Skipping stray line: 'prerequisite for this course.'
  ➜ Skipping stray line: 'C882 - Geometry for Secondary Mathematics Teaching - Geometry for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of geometry. Secondary teachers in this course will develop a deep understanding of constructions and transformations,'
  ➜ Skipping stray line: 'congruence and similarity, analytic geometry, solid geometry, conics, trigonometry, and the historical development of content. Calculus I is a'
  ➜ Skipping stray line: 'prerequisite for this course.'
  ➜ Skipping stray line: 'C883 - Statistics and Probability for Secondary Mathematics Teaching - Statistics and Probability for Secondary Mathematics Teaching explores'
  ➜ Skipping stray line: 'important conceptual underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional'
  ➜ Skipping stray line: 'practices to support and assess the learning of statistics and probability. Secondary teachers should have a deep understanding of summarizing and'
  ➜ Skipping stray line: 'representing data, study design and sampling, probability, testing claims and drawing conclusions, and the historical development of content and'
  ➜ Skipping stray line: 'perspectives from diverse cultures. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C884 - Statistics and Probability for Secondary Mathematics Teaching - Statistics and Probability for Secondary Mathematics Teaching explores'
  ➜ Skipping stray line: 'important conceptual underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional'
  ➜ Skipping stray line: 'practices to support and assess the learning of statistics and probability. Secondary teachers should have a deep understanding of summarizing and'
  ➜ Skipping stray line: 'representing data, study design and sampling, probability, testing claims and drawing conclusions, and the historical development of content and'
  ➜ Skipping stray line: 'perspectives from diverse cultures. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C885 - Advanced Calculus - Advanced Calculus examines rigorous reconsideration and proofs involving calculus. Topics include real-number'
  ➜ Skipping stray line: 'systems, sequences, limits, continuity, differentiation, and integration. This course emphasizes students’ ability to apply critical thinking to concepts to'
  ➜ Skipping stray line: 'analyze the connections between definitions and properties. Calculus III and Linear Algebra are prerequisites.'
  ➜ Skipping stray line: 'C886 - Advanced Calculus - Advanced Calculus examines rigorous reconsideration and proofs involving calculus. Topics include real-number'
  ➜ Skipping stray line: 'systems, sequences, limits, continuity, differentiation, and integration. This course emphasizes students’ ability to apply critical thinking to concepts to'
  ➜ Skipping stray line: 'analyze the connections between definitions and properties. Calculus III and Linear Algebra are prerequisites.'
  ➜ Skipping stray line: 'C887 - MA, Mathematics Education (5-9) Teacher Performance Assessment - MA, Mathematics Education (5-9) Teacher Performance'
  ➜ Skipping stray line: 'Assessment contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct'
  ➜ Skipping stray line: 'evidence of the candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect'
  ➜ Skipping stray line: 'on the learning process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional'
  ➜ Skipping stray line: 'unit consisting of seven components: 1) contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision making,'
  ➜ Skipping stray line: '6) analysis of student learning, and 7) self-evaluation and reflection.'
  ➜ Skipping stray line: 'C888 - Molecular and Cellular Biology - Molecular and Cellular Biology provides students seeking licensure or endorsement in biology, grades 5-12,'
  ➜ Skipping stray line: 'with an introduction to the area of molecular and cellular biology. Molecular and Cellular Biology examines the cell as an organism emphasizing'
  ➜ Skipping stray line: 'molecular basis of cell structure and functions of biological macromolecules, subcellular organelles, intracellular transport, cell division, and biological'
  ➜ Skipping stray line: 'reactions. Prerequisite: Introduction to Biology.'
  ➜ Skipping stray line: 'C889 - Molecular and Cellular Biology - Molecular and Cellular Biology provides students seeking licensure or endorsement in biology, grades 5-12,'
  ➜ Skipping stray line: 'with an introduction to the area of molecular and cellular biology. Molecular and Cellular Biology examines the cell as an organism emphasizing'
  ➜ Skipping stray line: 'molecular basis of cell structure and functions of biological macromolecules, subcellular organelles, intracellular transport, cell division, and biological'
  ➜ Skipping stray line: 'reactions. Prerequisite: Introduction to Biology.'
  ➜ Skipping stray line: 'C890 - Ecology and Environmental Science - Ecology and Environmental Science is an introductory course for undergraduate students seeking'
  ➜ Skipping stray line: 'initial licensure or endorsement in science education for grades 5–12. The course explores the relationships between organisms and their'
  ➜ Skipping stray line: 'environment, including population ecology, communities, adaptations, distributions, interactions, and the environmental factors controlling these'
  ➜ Skipping stray line: 'relationships. This course has no prerequisites.'
  ➜ Skipping stray line: 'C891 - Ecology and Environmental Science - Ecology and Environmental Science is an introductory course for graduate students seeking initial'
  ➜ Skipping stray line: 'licensure or endorsement in science education for grades 5–12. The course introduction to ecology and environmental science and explores the'
  ➜ Skipping stray line: 'relationships between organisms and their environment, including population ecology, communities, adaptations, distributions, interactions, and the'
  ➜ Skipping stray line: 'environmental factors controlling these relationships. This course has no prerequisites.'
  ➜ Skipping stray line: 'C892 - Geology II: Earth Systems - Geology II: Earth Systems provides undergraduate students seeking licensure or endorsement in science'
  ➜ Skipping stray line: 'education for grades 5-12 with an examination of the geosphere, atmosphere, hydrosphere, and biosphere, and the dynamic equilibrium of these'
  ➜ Skipping stray line: 'systems over geologic time. This course also examines the history of Earth and its life-forms, with an emphasis in meteorology. A prerequisite for this'
  ➜ Skipping stray line: 'course is Geology I: Physical.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 169'
  ➜ Skipping stray line: 'C893 - Geology II: Earth Systems - Geology II: Earth Systems provides graduate students seeking licensure or endorsement in science education'
  ➜ Skipping stray line: 'for grades 5-12 with an examination of the geosphere, atmosphere, hydrosphere, and biosphere, and the dynamic equilibrium of these systems over'
  ➜ Skipping stray line: 'geologic time. This course also examines the history of Earth and its life-forms, with an emphasis in meteorology. A prerequisite for this course is'
  ➜ Skipping stray line: 'Geology I: Physical.'
  ➜ Skipping stray line: 'C894 - Astronomy - This course provides undergraduate students seeking initial licensure or endorsement in geosciences for grades 5−12 with'
  ➜ Skipping stray line: 'essential knowledge of astronomy and explores Western history and basic physics of astronomy; phases of the moon and seasons; composition and'
  ➜ Skipping stray line: 'properties of solar system bodies; stellar evolution and remnants; properties and scale of objects and distances within the universe; and introductory'
  ➜ Skipping stray line: 'cosmology. A prerequisite for this course is General Physics.'
  ➜ Skipping stray line: 'C895 - Astronomy - This course provides graduate students seeking initial licensure or endorsement in geosciences for grades 5−12 with essential'
  ➜ Skipping stray line: 'knowledge of astronomy and explores Western history and basic physics of astronomy; phases of the moon and seasons; composition and properties'
  ➜ Skipping stray line: 'of solar system bodies; stellar evolution and remnants; properties and scale of objects and distances within the universe; and introductory cosmology.'
  ➜ Skipping stray line: 'A prerequisite for this course is General Physics.'
  ➜ Skipping stray line: 'C896 - Science Methods - Science Methods provides undergraduate students seeking initial licensure or endorsement in the sciences for grades'
  ➜ Skipping stray line: '5-12 with an introduction to science teaching methods and laboratory safety training. Course content focuses on designing and teaching with the three'
  ➜ Skipping stray line: 'dimensions of science: disciplinary core ideas, crosscutting concepts, and science and engineering practices. Laboratory safety training and'
  ➜ Skipping stray line: 'certification will include the proper use of personal protective equipment and safe laboratory practices and procedures in science classrooms. This'
  ➜ Skipping stray line: 'course has no prerequisites.'
  ➜ Skipping stray line: 'C897 - Mathematics: Content Knowledge - Mathematics: Content Knowledge is designed to help candidates refine and integrate the mathematics'
  ➜ Skipping stray line: 'content knowledge and skills necessary to become successful secondary mathematics teachers. A high level of mathematical reasoning skills and the'
  ➜ Skipping stray line: 'ability to solve problems are necessary to complete this course. Prerequisites for this course are College Geometry, Probability and Statistics I, and'
  ➜ Skipping stray line: 'Pre-Calculus.'
  ➜ Skipping stray line: 'C898 - Earth Science: Content Knowledge - This course covers the advanced content knowledge that a secondary Earth Science teachers is'
  ➜ Skipping stray line: 'expected to know and understand. Topics include basic scientific principles of Earth and Space Sciences, tectonics and internal Earth processes,'
  ➜ Skipping stray line: 'Earth materials and surface processes, history of the Earth and its Life-Forms, Earth's atmosphere and hydrosphhere, and astronomy.'
  ➜ Skipping stray line: 'C900 - Biology: Content Knowledge - This comprehensive course examines a student’s conceptual understanding of a broad range of biology'
  ➜ Skipping stray line: 'topics. High school biology teachers must help students make connections between isolated topics. For example, when studying hormones created by'
  ➜ Skipping stray line: 'endocrine glands traveling through the circulatory system to maintain homeostasis, a student is connecting many biology topics. This course starts'
  ➜ Skipping stray line: 'with macromolecules that make up cellular components and continues with understanding the many cellular processes that allow life to exist.'
  ➜ Skipping stray line: 'Connections are then made between genetics and evolution. Classification of organisms leads into plant and animal development that study the organ'
  ➜ Skipping stray line: 'systems and their role in maintaining homeostasis. The course finishes by studying ecology and how humans affect the environment.'
  ➜ Skipping stray line: 'C901 - Physics: Content Knowledge - Physics: Content Knowledge covers the advanced content knowledge that a secondary physics teacher is'
  ➜ Skipping stray line: 'expected to know and understand. Topics include mechanics, electricity and magnetism, optics and waves, heat and thermodynamics, modern'
  ➜ Skipping stray line: 'physics, atomic and nuclear structure, the history and nature of science, science technology, and social perspectives.'
  ➜ Skipping stray line: 'C902 - Middle School Science: Content Knowledge - This course covers the content knowledge that a middle-level science teacher is expected to'
  ➜ Skipping stray line: 'know and understand. Topics include scientific methodologies, history of science, basic science principles, physical sciences, life sciences, Earth and'
  ➜ Skipping stray line: 'space sciences, and the role of science and technology and their impact on society.'
  ➜ Skipping stray line: 'C903 - Middle School Mathematics: Content Knowledge - Mathematics: Middle School Content Knowledge is designed to help candidates refine'
  ➜ Skipping stray line: 'and integrate the mathematics content knowledge and skills necessary to become successful middle school mathematics teachers. A high level of'
  ➜ Skipping stray line: 'mathematical reasoning skills and the ability to solve problems are necessary to complete this course. Prerequisites for this course are College'
  ➜ Skipping stray line: 'Geometry, Probability and Statistics I, and Pre-Calculus.'
  ➜ Skipping stray line: 'C904 - Teacher Performance Assessment in Science - The Teacher Performance Assessment in Science is a culmination of the wide variety of'
  ➜ Skipping stray line: 'skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a'
  ➜ Skipping stray line: 'collection of your content, planning, instructional, and'
  ➜ Skipping stray line: 'reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C907 - Introduction to Biology - This course is a foundational introduction to the biological sciences. The overarching theories of life from biological'
  ➜ Skipping stray line: 'research are explored as well as the fundamental concepts and principles of the study of living organisms and their interaction with the environment.'
  ➜ Skipping stray line: 'Key concepts include how living organisms use and produce energy; how life grows, develops, and reproduces; how life responds to the environment'
  ➜ Skipping stray line: 'to maintain internal stability; and how life evolves and adapts to the environment.'
  ➜ Skipping stray line: 'C908 - Integrated Physical Sciences - This course provides students with an overview of the basic principles and unifying ideas of the physical'
  ➜ Skipping stray line: 'sciences: physics, chemistry, and Earth sciences. Course materials focus on scientific reasoning and practical and everyday applications of physical'
  ➜ Skipping stray line: 'science concepts to help students integrate conceptual knowledge with practical skills.'
  ➜ Skipping stray line: 'C909 - Elementary Reading Methods and Interventions - Elementary Reading Methods and Interventions provides students seeking initial teacher'
  ➜ Skipping stray line: 'licensure in elementary education with an in-depth look at best practices for developing the reading and writing skills of all students. Course content'
  ➜ Skipping stray line: 'examines the stages of literacy development, the balanced literacy approach, differentiation, technology integration, literacy-assessment, and the'
  ➜ Skipping stray line: 'comprehensive Response to Intervention (RTI) model used to identify and address the needs of learners who struggle with reading comprehension.'
  ➜ Skipping stray line: 'This course has no prerequisites.'
  ➜ Skipping stray line: 'C910 - Elementary Reading Methods and Interventions - Elementary Reading Methods and Interventions provides students seeking initial teacher'
  ➜ Skipping stray line: 'licensure in elementary education with an in-depth look at best practices for developing the reading and writing skills of all students. Course content'
  ➜ Skipping stray line: 'examines the stages of literacy development, the balanced literacy approach, differentiation, technology integration, literacy-assessment, and the'
  ➜ Skipping stray line: 'comprehensive Response to Intervention (RTI) model used to identify and address the needs of learners who struggle with reading comprehension.'
  ➜ Skipping stray line: 'This course has no prerequisites.'
  ➜ Skipping stray line: 'C912 - College Algebra - This course provides further application and analysis of algebraic concepts and functions through mathematical modeling of'
  ➜ Skipping stray line: 'real-world situations. Topics include: real numbers, algebraic expressions, equations and inequalities, graphs and functions, polynomial and rational'
  ➜ Skipping stray line: 'functions, exponential and logarithmic functions, and systems of linear equations.'
  ➜ Skipping stray line: 'C913 - Psychology for Educators - This course prepares candidates to meet the expectations of society and prepares future educators to support'
  ➜ Skipping stray line: 'classroom practice with research-validated concepts. The course helps future educators to create a framework for refining teaching skills that are'
  ➜ Skipping stray line: 'focused on the learner, through engaged inquiry of integrating theory, critical issues in psychology, classroom applications with diverse populations,'
  ➜ Skipping stray line: 'assessment, educational technology, and reflective teaching.'
  ➜ Skipping stray line: 'C914 - Teacher Performance Assessment in Mathematics Education - The Teacher Performance Assessment is a culmination of the wide variety'
  ➜ Skipping stray line: 'of skills learned during your time'
  ➜ Skipping stray line: 'in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of your content,'
  ➜ Skipping stray line: 'planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 170'
  ➜ Skipping stray line: 'C915 - Chemistry: Content Knowledge - Chemistry: Content Knowledge provides advanced instruction in the main areas of chemistry for which'
  ➜ Skipping stray line: 'secondary chemistry teachers are expected to demonstrate competency. Topics include matter and energy, thermochemistry, structure, bonding,'
  ➜ Skipping stray line: 'reactivity, biochemistry and organic chemistry, solutions, nature of science, technology and social perspectives, mathematics, and laboratory'
  ➜ Skipping stray line: 'procedures.'
  ➜ Skipping stray line: 'C925 - Earth: Inside and Out - Earth: Inside and Out explores the ways in which our dynamic planet evolved, and the processes and systems that'
  ➜ Skipping stray line: 'continue to shape it. Though the geologic record is incredibly ancient, it has only been studied intensely since the end of the nineteenth century. Since'
  ➜ Skipping stray line: 'then, research in fields such as geologic time, plate tectonics, climate change, exploration of the deep sea floor, and the inner earth have vastly'
  ➜ Skipping stray line: 'increased our understanding of geological processes. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C926 - Earth: Inside and Out - Earth: Inside and Out explores the ways in which our dynamic planet evolved, and the processes and systems that'
  ➜ Skipping stray line: 'continue to shape it. Though the geologic record is incredibly ancient, it has only been studied intensely since the end of the nineteenth century. Since'
  ➜ Skipping stray line: 'then, research in fields such as geologic time, plate tectonics, climate change, exploration of the deep sea floor, and the inner earth have vastly'
  ➜ Skipping stray line: 'increased our understanding of geological processes. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C930 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C931 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C932 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C933 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C934 - Preclinical Experiences in Elementary and Special Education - Preclinical Experiences in Elementary and Special Education provides'
  ➜ Skipping stray line: 'students the opportunity to observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence'
  ➜ Skipping stray line: 'necessary to be an effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the'
  ➜ Skipping stray line: 'classroom for the observations, students will be required to meet several requirements including a cleared background check, passing scores on the'
  ➜ Skipping stray line: 'state or WGU required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C935 - Preclinical Experiences in Elementary Education - Preclinical Experiences in Elementary Education provides students the opportunity to'
  ➜ Skipping stray line: 'observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an'
  ➜ Skipping stray line: 'effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the'
  ➜ Skipping stray line: 'observations, students will be required to meet several requirements including a cleared background check, passing scores on the state or WGU'
  ➜ Skipping stray line: 'required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C936 - Preclinical Experiences in Elementary Education - Preclinical Experiences in Elementary Education provides students the opportunity to'
  ➜ Skipping stray line: 'observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an'
  ➜ Skipping stray line: 'effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the'
  ➜ Skipping stray line: 'observations, students will be required to meet several requirements including a cleared background check, passing scores on the state or WGU'
  ➜ Skipping stray line: 'required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C937 - Preclinical Experiences in Science - Preclinical Experiences in Science provides students the opportunity to observe and participate in a'
  ➜ Skipping stray line: 'wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will'
  ➜ Skipping stray line: 'reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required'
  ➜ Skipping stray line: 'to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed'
  ➜ Skipping stray line: 'resume.'
  ➜ Skipping stray line: 'C938 - Preclinical Experiences in Science - Preclinical Experiences in Science provides students the opportunity to observe and participate in a'
  ➜ Skipping stray line: 'wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will'
  ➜ Skipping stray line: 'reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required'
  ➜ Skipping stray line: 'to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed'
  ➜ Skipping stray line: 'resume.'
  ➜ Skipping stray line: 'CQC2 - Calculus II - Calculus II is the study of the accumulation of change in relation to the area under a curve. It covers the knowledge and skills'
  ➜ Skipping stray line: 'necessary to apply integral calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include'
  ➜ Skipping stray line: 'antiderivatives; indefinite integrals; the substitution rule; Riemann sums; the Fundamental Theorem of Calculus; definite integrals; acceleration,'
  ➜ Skipping stray line: 'velocity, position, and initial values; integration by parts; integration by trigonometric substitution; integration by partial fractions; numerical integration;'
  ➜ Skipping stray line: 'improper integration; area between curves; volumes and surface areas of revolution; arc length; work; center of mass; separable differential equations;'
  ➜ Skipping stray line: 'direction fields; growth and decay problems; and sequences. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'CUA1 - Culture - Focuses on the nature and role of culture and the importance of cultural groups and cultural identity.'
  ➜ Skipping stray line: 'CWEL - Capstone Written Project in Educational Leadership - The capstone project will consist of the design and implementation of a short-term'
  ➜ Skipping stray line: 'datadriven school improvement initiative. Through the case study approach and during the capstone experience, you will identify one or more'
  ➜ Skipping stray line: 'measurable outcome improvement areas in your case study / practicum site. You will propose and develop short-term school improvement initiatives'
  ➜ Skipping stray line: 'and will then measure the outcomes and results of your implemented improvement initiatives.'
  ➜ Skipping stray line: 'CZC1 - Accounting II - Accounting II is a continuation of the topics that were addressed in Accounting I. Accounting II focuses on ways in which'
  ➜ Skipping stray line: 'accounting principles are used in business operations, deepening the student's understanding of Generally Accepted Accounting Principles (GAAP),'
  ➜ Skipping stray line: 'inventory, liabilities, and budgets. This course also introduces topics that are important for corporate accounting and financial analysis.'
  ➜ Skipping stray line: 'DPT1 - Physics: Electricity and Magnetism - Physics: Electricity and Magnetism addresses principles related to the physics of electricity and'
  ➜ Skipping stray line: 'magnetism. Students will study electric and magnetic forces and then apply that knowledge to the study of circuits with resistors and electromagnetic'
  ➜ Skipping stray line: 'induction and waves, focusing on such topics as: Electric charge and electric field, electric currents and resistance, magnetism, electromagnetic'
  ➜ Skipping stray line: 'induction and Faraday's law, and Maxwell's equation and electromagnetic waves.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 171'
  ➜ Skipping stray line: 'DPT2 - Physics: Electricity and Magnetism - Physics: Electricity and Magnetism addresses principles related to the physics of electricity and'
  ➜ Skipping stray line: 'magnetism. Students will study electric and magnetic forces and then apply that knowledge to the study of circuits with resistors and electromagnetic'
  ➜ Skipping stray line: 'induction and waves, focusing on such topics as: Electric charge and electric field, electric currents and resistance, magnetism, electromagnetic'
  ➜ Skipping stray line: 'induction and Faraday's law, and Maxwell's equation and electromagnetic waves.'
  ➜ Skipping stray line: 'DRC1 - Educational Assessment - Educational Assessment assists students in making appropriate data-driven instructional decisions by exploring'
  ➜ Skipping stray line: 'key concepts relevant to the administration, scoring, and interpretation of classroom assessments. Topics include ethical assessment practices,'
  ➜ Skipping stray line: 'designing assessments, aligning assessments, and utilizing technology for assessment.'
  ➜ Skipping stray line: 'DWP2 - Application of Elementary Social Studies Methods - Application of Elementary Social Studies Methods helps students learn how to'
  ➜ Skipping stray line: 'implement effective social studies instruction in the elementary classroom. Topics include social studies themes, promoting cultural diversity,'
  ➜ Skipping stray line: 'integrated social studies across the curriculum, social studies learning environments, assessing social studies understanding, differentiated instruction'
  ➜ Skipping stray line: 'for social studies, technology for social studies instruction, and standards-based social studies instruction. This course helps students to apply,'
  ➜ Skipping stray line: 'analyze, and reflect on effective elementary social studies instruction.'
  ➜ Skipping stray line: 'DZP2 - Application of Elementary Visual and Performing Arts Methods - Application of Elementary Visual and Performing Arts Methods helps'
  ➜ Skipping stray line: 'students learn how to implement effective visual and performing arts instruction in the elementary classroom. Topics include integrating arts across the'
  ➜ Skipping stray line: 'curriculum, music education, visual arts, dance and movement, dramatic arts, differentiated instruction for visual and performing arts, and promoting'
  ➜ Skipping stray line: 'cultural diversity through visual and performing arts instruction. This course helps students to apply, analyze, and reflect on effective elementary visual'
  ➜ Skipping stray line: 'and performing arts instruction.'
  ➜ Skipping stray line: 'EBP2 - Application of Elementary Physical Education and Health Methods - Applications of Elementary Physical Education and Health Methods'
  ➜ Skipping stray line: 'helps students learn how to implement effective physical and health education instruction in the elementary classroom. Topics include healthy'
  ➜ Skipping stray line: 'lifestyles, student safety, student nutrition, physical education, differentiated instruction for physical and health education, physical education across'
  ➜ Skipping stray line: 'the curriculum, and public policy in health and physical education. This course helps students to apply, analyze, and reflect on effective elementary'
  ➜ Skipping stray line: 'visual and performing arts instruction.'
  ➜ Skipping stray line: 'EFP1 - Cultural Studies and Diversity - Cultural Studies and Diversity focuses on the development of cultural awareness. Students will analyze the'
  ➜ Skipping stray line: 'role of culture in today’s world, develop culturally-responsive practices, and understand the barriers to and the benefits of diversity.'
  ➜ Skipping stray line: 'EFV1 - Behavioral Management and Intervention - Behavioral Management and Intervention explores the challenges of working with students with'
  ➜ Skipping stray line: 'emotional and behavioral disabilities and helps students learn about theories, interventions, practices, and assessments that can influence these'
  ➜ Skipping stray line: 'children's opportunities for success. It further helps students better be able to make decisions about how to strategize behavior'
  ➜ Skipping stray line: 'adjustments for individual students.'
  ➜ Skipping stray line: 'EFV2 - Behavioral Management and Intervention - Behavioral Management and Intervention explores the challenges of working with students with'
  ➜ Skipping stray line: 'emotional and behavioral disabilities and helps students learn about theories, interventions, practices, and assessments that can influence these'
  ➜ Skipping stray line: 'children's opportunities for success. It further helps students better be able to make decisions about how to strategize behavior adjustments for'
  ➜ Skipping stray line: 'individual students.'
  ➜ Skipping stray line: 'ELO1 - Subject Specific Pedagogy: ELL - Subject Specific Pedagogy: ELL integrates aspects of pedagogy, assessment, and professionalism in'
  ➜ Skipping stray line: 'English Language Learning (ELL). A student develops and assesses aspects of language curriculum development including second language'
  ➜ Skipping stray line: 'instruction, methods of second language assessment, and legal policy issues.'
  ➜ Skipping stray line: 'EST1 - Ethical Situations in Business - Ethical Situations in Business explores various scenarios in business and helps students learn to develop'
  ➜ Skipping stray line: 'ethical and socially responsible courses of action. Students will also learn to develop an appropriate and comprehensive ethics program for a business'
  ➜ Skipping stray line: 'venture.'
  ➜ Skipping stray line: 'EXP2 - College Geometry - College Geometry covers the knowledge and skills necessary to apply geometry to model and solve real-life problems, to'
  ➜ Skipping stray line: 'do formal axiomatic proofs in geometry, and to use dynamic technology to explore geometry. Topics include axiomatic systems and analytic proof;'
  ➜ Skipping stray line: 'non-Euclidean geometries; construction, analytic, and synthetic methods for investigating and proving properties and relationships of two- and three-'
  ➜ Skipping stray line: 'dimensional objects; geometric transformations, tessellations, and using inductive reasoning; concrete models; and dynamic technology to conduct'
  ➜ Skipping stray line: 'geometric investigations. College Algebra and Pre-Calculus are prerequisites for this course.'
  ➜ Skipping stray line: 'FCC1 - Introduction to Special Education, Law and Legal Issues - Introduction to Special Education, Law and Legal Issues introduces the history'
  ➜ Skipping stray line: 'and nature of special education and how it relates to general education, as well as specific legal acts and concepts governing it. Topics include history'
  ➜ Skipping stray line: 'of special education, the Individuals with Disabilities Education Act, the No Child Left Behind Act, FAPE (free, appropriate public education), and least'
  ➜ Skipping stray line: 'restrictive environments.'
  ➜ Skipping stray line: 'FCC2 - Introduction to Special Education, Law and Legal Issues, Policies and Procedures - Introduction to Special Education, Law and Legal'
  ➜ Skipping stray line: 'Issues, Policies and Procedures introduces the history and nature of special education and how it relates to general education, as well as specific'
  ➜ Skipping stray line: 'legal acts and concepts governing it. Topics include history of special education, the Individuals with Disabilities Education Act, the No Child Left'
  ➜ Skipping stray line: 'Behind Act, FAPE (free, appropriate public education), and least restrictive environments.'
  ➜ Skipping stray line: 'FEA1 - Field Experience for ELL - Field Experience for ELL is the field experience component of the English Language Learning program. In this'
  ➜ Skipping stray line: 'experience, students are required to complete a minimum of 15 hours of observations at both elementary and secondary levels. Additionally, a'
  ➜ Skipping stray line: 'supervised teaching experience that is face-to-face with English language learners according to the minimum time requirements of your state is'
  ➜ Skipping stray line: 'required. The purpose of this course is to assess the ability of the student including their engagement in field experience activities, ability to reflect on'
  ➜ Skipping stray line: 'and then plan standards-based instruction in ELL, and their ability to locate and effectively use resources for teaching ELL to meet the needs of their'
  ➜ Skipping stray line: 'individual students.'
  ➜ Skipping stray line: 'FJC1 - Psychoeducational Assessment Practices and IEP Development/Implementation - Psychoeducational Assessment Practices and IEP'
  ➜ Skipping stray line: 'Development/Implementation prepares students to apply knowledge the IEP as they work with students who have mild to moderate disabilities in a'
  ➜ Skipping stray line: 'wide variety of possible situations, all with an emphasis on cross-categorical inclusion. It helps students gain fluency in their understanding of the 13'
  ➜ Skipping stray line: 'disability categories, assessment, curriculum, and instruction.'
  ➜ Skipping stray line: 'FJC2 - Psychoeducational Assessment Practices and IEP Development/Implementation - Psychoeducational Assessment Practices and IEP'
  ➜ Skipping stray line: 'Development/Implementation prepares students to apply knowledge the IEP as they work with students who have mild to moderate disabilities in a'
  ➜ Skipping stray line: 'wide variety of possible situations, all with an emphasis on cross-categorical inclusion. It helps students gain fluency in their understanding of the 13'
  ➜ Skipping stray line: 'disability categories, assessment, curriculum, and instruction.'
  ➜ Skipping stray line: 'FLC1 - Instructional Models and Design, Supervision and Culturally Response Teaching - Instructional Models and Design, Supervision and'
  ➜ Skipping stray line: 'Culturally Response Teaching helps students understand the role of special education in the development of instruction, why this field exists separate'
  ➜ Skipping stray line: 'from and in conjunction with general education, where it is going, and how they can help coordinate inclusion for students. Students will gain expertise'
  ➜ Skipping stray line: 'in developing instructional, curricular, and environmental interventions based on assessment data and student need.'
  ➜ Skipping stray line: 'FLC2 - Instructional Models and Design, Supervision and Culturally Responsive Teaching - Instructional Models and Design, Supervision and'
  ➜ Skipping stray line: 'Culturally Responsive Teaching helps students understand the role of special education in the development of instruction, why this field exists'
  ➜ Skipping stray line: 'separate from and in conjunction with general education, where it is going, and how they can help coordinate inclusion for students. Students will gain'
  ➜ Skipping stray line: 'expertise in developing instructional, curricular, and environmental interventions based on assessment data and student need.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 172'
  ➜ Skipping stray line: 'FVC1 - Global Business - This course provides an introduction to global business. The advantages of global production and the benefits of trade are'
  ➜ Skipping stray line: 'critical aspects of global business. Many factors influence global business, such as transparency, geography, corruption, intellectual property'
  ➜ Skipping stray line: 'protections, outsourcing and off-shoring, operation management, and generally accepted accounting principles.'
  ➜ Skipping stray line: 'FXT2 - Disaster Recovery Planning, Prevention and Response - This course prepares students to plan and execute industry best practices related'
  ➜ Skipping stray line: 'to conducting organization-wide information assurance initiatives and to preparing an organization for implementing a comprehensive Information'
  ➜ Skipping stray line: 'Assurance Management program.'
  ➜ Skipping stray line: 'HMP1 - Cases in Advanced Human Resource Management - During Cases in Advanced Human Resource Management students apply their'
  ➜ Skipping stray line: 'knowledge of human resource management by completing a case study. Students will apply critical human resource strategies in the areas of'
  ➜ Skipping stray line: 'legal/regulatory compliance, recruitment and selection of personnel, performance and feedback mechanisms, and financial and benefits'
  ➜ Skipping stray line: 'compensation.'
  ➜ Skipping stray line: 'IDC1 - Foundations of Instructional Design - Foundations of Instructional Design provides an overview of how to select the most appropriate'
  ➜ Skipping stray line: 'learning theories, design processes, and instructional strategies based on learner audience, instructional setting, and current and desired state of'
  ➜ Skipping stray line: 'learning.'
  ➜ Skipping stray line: 'IYT2 - Introduction to Curriculum Theory - For over 200 years, educators in the United States have debated the purpose of education. Should'
  ➜ Skipping stray line: 'education be for enlightenment or to prepare students for the life of work? Should education be for many or for a select few? These questions continue'
  ➜ Skipping stray line: 'to be debated today. Through curriculum theory and reflection, educators have an educational framework by which to understand how theory and'
  ➜ Skipping stray line: 'one's philosophical views can impact the design, development, and implementation of curriculum and instruction. With this in mind, Introduction to'
  ➜ Skipping stray line: 'Curriculum Theory focuses on exploring and applying an understanding of Scholar Academic, Social Efficiency, Learner Centered, and Social'
  ➜ Skipping stray line: 'Reconstruction ideologies in various instructional settings and on the development on one’s own curriculum philosophy.'
  ➜ Skipping stray line: 'IZT2 - Learning Theories - Learning Theories focuses on the complexity of the current learning environment and how behaviorism, cognitivism,'
  ➜ Skipping stray line: 'constructivism, and personal learning philosophy can assist in the development of appropriate curriculum and instruction.'
  ➜ Skipping stray line: 'JIT2 - Risk Management - Content focuses on categorizing levels of risk and understanding how risk can impact the operations of the business'
  ➜ Skipping stray line: 'through a scenario involving the creation of a risk management program and business continuity program for a company and a business situation'
  ➜ Skipping stray line: 'reacting to a crisis/disaster situation affecting the company.'
  ➜ Skipping stray line: 'JNT2 - Instructional Design Analysis - Instructional Design Analysis focuses on using analysis of needs to determine the needs and interests of'
  ➜ Skipping stray line: 'learners, and scope and sequence for developing a logical approach for an education program to formulate appropriate and measurable program'
  ➜ Skipping stray line: 'objectives.'
  ➜ Skipping stray line: 'JOT2 - Issues in Instructional Design - Issues in Instructional Design focuses on learning theories, learner analysis, scope and sequence,'
  ➜ Skipping stray line: 'instructional strategies, task analysis and design theories, media and technology foundations, and adaptive technologies for special populations for'
  ➜ Skipping stray line: 'creating effective, well-articulated, and efficient instruction.'
  ➜ Skipping stray line: 'JPT2 - Instructional Design Production - Instructional Design Production focuses on the application of a systematic process of instructional design,'
  ➜ Skipping stray line: 'namely the concepts and procedure for analyzing and designing successful instruction. This course will prepare students to conduct a goal analysis, a'
  ➜ Skipping stray line: 'process used to identify instructional goals, as well as a task analysis, which is used to determine the skills and knowledge required to accomplish'
  ➜ Skipping stray line: 'those goals. This course also focuses on writing performance objectives, designing assessments, and developing instruction that incorporates relevant'
  ➜ Skipping stray line: 'learning theories. Methods for formatively evaluating a unit of instruction are also introduced. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'JQT2 - Issues in Measurement and Evaluation - Issues in Measurement and Evaluation focuses on the understanding of formative and summative'
  ➜ Skipping stray line: 'evaluation, quantitative and qualitative data collection tools, including rubrics and the processes of evaluation.'
  ➜ Skipping stray line: 'JRT2 - Evaluation Methodology and Instrumentation - Evaluation Methodology and Instrumentation focuses on using qualitative and quantitative'
  ➜ Skipping stray line: 'data collection tools and techniques to construct and evaluate valid and reliable measuring instruments.'
  ➜ Skipping stray line: 'JST2 - Evaluation Process and Recommendation - Evaluation Process and Recommendation focuses on implementing and interpreting an'
  ➜ Skipping stray line: 'evaluation and the reporting of the results and recommendations to stakeholders.'
  ➜ Skipping stray line: 'JWT2 - Instructional Theory - Instructional Theory focuses on exploring instructional design theory and related models and processes. Students will'
  ➜ Skipping stray line: 'apply instructional design principles to the design and delivery of plans to meet the learning needs found in the instructional setting.'
  ➜ Skipping stray line: 'JXT2 - Educational Psychology - Educational Psychology examines the latest findings in child and adolescent development and provides educators'
  ➜ Skipping stray line: 'the opportunity to apply educational psychology to various instructional settings. Students will explore the areas of applied educational psychology to'
  ➜ Skipping stray line: 'teaching, cognitive development, social development, and cultural development. They will design, develop, modify, and evaluate curriculum and'
  ➜ Skipping stray line: 'instruction in various educational settings according to child/adolescent development.'
  ➜ Skipping stray line: 'JYT2 - Curriculum Design - Curriculum Design focuses on exploring curriculum design theory, educational standards, and design frameworks for'
  ➜ Skipping stray line: 'what to teach. Together these topics will provide educators with the ability to take principles of curriculum design theory and related models and apply'
  ➜ Skipping stray line: 'them when developing, designing, and modifying curriculum to meet learning needs in their instructional setting.'
  ➜ Skipping stray line: 'JZT2 - Curriculum Evaluation - Curriculum Evaluation focuses on exploring evaluation systems and student data to determine the effectiveness of'
  ➜ Skipping stray line: 'curriculum. It also focuses on differentiating curriculum based on student data.'
  ➜ Skipping stray line: 'KAT2 - Assessment for Student Learning - Assessment for Student Learning focuses on developing the knowledge and skills to identify, develop,'
  ➜ Skipping stray line: 'and design instrument tools for evaluating student learning. It also explores the use of objective and performance-based, formative, and summative'
  ➜ Skipping stray line: 'assessments and their results in the evaluation of curriculum and instruction for student learning.'
  ➜ Skipping stray line: 'KBT2 - Differentiated Instruction - Differentiated Instruction focuses on developing and implementing curriculum and instruction that that best meets'
  ➜ Skipping stray line: 'the needs of all learners within a given instructional setting.'
  ➜ Skipping stray line: 'LEC1 - Comprehensive Educational Leadership Integration - You will complete a comprehensive objective proctored assessment in Educational'
  ➜ Skipping stray line: 'Leadership theory and practices, including administrative theory, school law, school finance, curriculum development and implementation, personnel'
  ➜ Skipping stray line: 'management, public relations, and technology. You will be required to pass the Comprehensive Educational Leadership Integration objective'
  ➜ Skipping stray line: 'assessment.'
  ➜ Skipping stray line: 'LFT1 - Student, Stakeholder, and Market Focus for Educational Leaders - This subdomain reviews principles and practices of meeting'
  ➜ Skipping stray line: 'stakeholder needs and reviews your case study site’s effectiveness in managing stakeholder relationships.'
  ➜ Skipping stray line: 'LMT1 - Measurement, Analysis, and Knowledge Management for Educational Leaders - This subdomain reviews principles and practices of'
  ➜ Skipping stray line: 'program and curriculum effectiveness evaluation as well as best practices in technology for educational leaders. You also complete a program,'
  ➜ Skipping stray line: 'practice, or curriculum effectiveness evaluation in your case study site as well as an evaluation of technology implementation.'
  ➜ Skipping stray line: 'LNT1 - Process Management for Educational Leaders - This subdomain reviews best practices in process management for educational leaders, as'
  ➜ Skipping stray line: 'well as an evaluation of your case study site’s process management policies and practices.'
  ➜ Skipping stray line: 'LPA1 - Language Production, Theory and Acquisition - Language Production, Theory and Acquisition focuses on describing and understanding'
  ➜ Skipping stray line: 'language and the development of language. It includes the study of acquisition theory, grammar, and applied phonetics.'
  ➜ Skipping stray line: 'LPT1 - Performance Excellence Criteria for Educational Leaders - This subdomain reviews the case study model and prepares you to complete a'
  ➜ Skipping stray line: 'thorough review of the effectiveness of their case study site’s operations, outcomes, and leadership.'
  ➜ Skipping stray line: 'LQT2 - Information Security and Assurance Capstone Project - Students will be able to choose from three areas of emphasis, depending on'
  ➜ Skipping stray line: 'personal and professional interests. Students will complete a capstone project that deals with a significant real-world business problem that further'
  ➜ Skipping stray line: 'integrates the components of the degree. Capstone projects will require an oral defense before a committee of WGU faculty.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 173'
  ➜ Skipping stray line: 'LRT1 - Practicum in Educational Leadership - Foundational Perspectives of Education includes a series of performance tasks to take place under'
  ➜ Skipping stray line: 'the leadership of a practicing state licensed school principal or assistant principal in a practicum school site (K–12). This assessment also includes'
  ➜ Skipping stray line: 'completion of assigned administrative duties to take place in both elementary (K–6) and secondary (7–12) settings under the leadership and'
  ➜ Skipping stray line: 'supervision of the cooperating administrator in your case study school site. Practicum requirements vary by state of intended licensure and WGU'
  ➜ Skipping stray line: 'program requirements, and the standard has been set between 275 and 540 of logged practicum activities that span a minimum of six consecutive'
  ➜ Skipping stray line: 'months. Please refer back to the WGU Student Handbook for reference of your program requirements. You are required to pass the Practicum in'
  ➜ Skipping stray line: 'Educational Leadership performance assessments and successfully submit other documentation, including evaluations of your performance'
  ➜ Skipping stray line: 'completed by the cooperating administrator and documentation of completion of state-required hours of assigned administrative duties. The'
  ➜ Skipping stray line: 'Educational Leadership Practicum requires a practicum fee. During the Educational Leadership Practicum, you are also expected to take and pass'
  ➜ Skipping stray line: 'your state's licensure examination(s) required for certification as a school principal and the PRAXIS 5411 Educational Leadership: Administration and'
  ➜ Skipping stray line: 'Supervision exam.'
  ➜ Skipping stray line: 'LST1 - Strategic Planning for Educational Leaders - This subdomain reviews principles and practices of the strategic planning process as well as a'
  ➜ Skipping stray line: 'case study review of the strategic planning processes in your case study site.'
  ➜ Skipping stray line: 'LWT1 - Workforce Focus for Educational Leaders - This subdomain reviews best practices in human resource administration for educational'
  ➜ Skipping stray line: 'leaders, as well as an evaluation of your case study site’s workforce management practices.'
  ➜ Skipping stray line: 'LZT2 - Power, Influence and Leadership - This course focuses on the development of the critical leadership and soft skills necessary for success in'
  ➜ Skipping stray line: 'information technology leadership and management. The course focuses specifically on skills such as cultivating effective leadership communication,'
  ➜ Skipping stray line: 'building personal influence, enhancing emotional intelligence (soft skills), generating ideas and encouraging idea generation in others, conflict'
  ➜ Skipping stray line: 'resolution, and positioning oneself as an influential change agent within different organizational cultures.'
  ➜ Skipping stray line: 'MAT2 - Information Technology Management - This course will prepare students to cope with information technology resources in a manner'
  ➜ Skipping stray line: 'beneficial to their company. Such skill includes estimating both the cost and value of IT to the company, setting priorities for project selection,'
  ➜ Skipping stray line: 'management of IT projects, and handling risk. These responsibilities imply an ability to align technology with an organization’s strategic goals. In total,'
  ➜ Skipping stray line: 'students will develop the ability to effectively administer and manage current and emerging technologies within an organization.'
  ➜ Skipping stray line: 'MBT2 - Technological Globalization - This course is designed to equip students to better understand the fundamental, galvanizing and'
  ➜ Skipping stray line: 'transformational role of advanced IT communications, networks and services in all major industries; advanced IT is an unparalleled force multiplier in'
  ➜ Skipping stray line: 'scientific research, energy production and use, health and medicine. IT is a critical resource in the global community, economically, socially, politically'
  ➜ Skipping stray line: 'and culturally.'
  ➜ Skipping stray line: 'MCT2 - Technical Writing - As IT professionals are frequently required to interface with customers, clients, other departments, organizational leaders,'
  ➜ Skipping stray line: 'and even other institutions, strong communication skills are vital. In this course, students learn to communicate accurately, effectively, and ethically to'
  ➜ Skipping stray line: 'a variety of audiences. Students design communication to fit oral, print, and multi-media contexts. They develop rhetorical sensitivity in both their'
  ➜ Skipping stray line: 'writing and their design decisions.'
  ➜ Skipping stray line: 'MEC1 - Foundations of Measurement and Evaluation - Foundations of Measurement and Evaluation focuses on assessment validity, constructing'
  ➜ Skipping stray line: 'reliable test instruments, identifying appropriate item and instrument types, qualitative data collection tools and techniques, and conducting a formative'
  ➜ Skipping stray line: 'and summative evaluation for an instruction product or program.'
  ➜ Skipping stray line: 'MFT2 - Mathematics (K-6) Portfolio Oral Defense - Mathematics (K-6) Portfolio Oral Defense: Mathematics (K-6) Portfolio Defense focuses on a'
  ➜ Skipping stray line: 'formal presentation. The student will present an overview of their teacher work sample (TWS) portfolio discussing the challenges they faced and how'
  ➜ Skipping stray line: 'they determined whether their goals were accomplished. They will explain the process they went through to develop the TWS portfolio and reflect on'
  ➜ Skipping stray line: 'the methodologies and outcomes of the strategies discussed in the TWS portfolio. Additionally, they will discuss the strengths and weaknesses of'
  ➜ Skipping stray line: 'those strategies and how they can apply what they learned from the TWS portfolio in their professional work environment.'
  ➜ Skipping stray line: 'MGT2 - IT Project Management - IT Project Management provides an overview of the Project Management Institute’s project management'
  ➜ Skipping stray line: 'methodology. Topics cover various process groups and knowledge areas and application of knowledge in case studies for planning a project that has'
  ➜ Skipping stray line: 'not started yet and monitoring/controlling a project that is already underway.'
  ➜ Skipping stray line: 'MMT2 - IT Strategic Solutions - In IT Strategic Solutions the learner will have the opportunity to identify strategic opportunities and emerging'
  ➜ Skipping stray line: 'technologies as they research and decide on a system to support a growing company. Topics will include technology strategy; gap analysis;'
  ➜ Skipping stray line: 'researching new technology; strengths, opportunities, weaknesses, and threats; ethics; risk mitigation; data security, communication plans; and'
  ➜ Skipping stray line: 'globalization.'
  ➜ Skipping stray line: 'NHC1 - Introduction to Instructional Planning and Presentation - Students will develop a basic understanding of effective instructional principles'
  ➜ Skipping stray line: 'and how to differentiate instruction in order to elicit powerful teaching in the classroom.'
  ➜ Skipping stray line: 'NMA1 - Professional Role of the ELL Teacher - The Professional Role of the ELL Teacher focuses on issues of professionalism for the English'
  ➜ Skipping stray line: 'Language Learning teacher and leader. This includes program development, ethics, engagement in professional organizations, serving as a resource,'
  ➜ Skipping stray line: 'and ELL advocacy.'
  ➜ Skipping stray line: 'NNA1 - Planning, Implementing, Managing Instruction - Planning, Implementing, Managing Instruction focuses on a variety of philosophies and'
  ➜ Skipping stray line: 'grade levels of English Language Learner (ELL) instruction. It includes the study of ELL listening and speaking, ELL reading and writing, specially'
  ➜ Skipping stray line: 'designed academic instruction in English (SDAIE), and specific issues for various grade level instruction.'
  ➜ Skipping stray line: 'OOT2 - Mathematics History and Technology - Mathematics History and Technology introduces a variety of technological tools for doing'
  ➜ Skipping stray line: 'mathematics, and you will develop a broad understanding of the historical development of mathematics. You will come to understand that'
  ➜ Skipping stray line: 'mathematics is a very human subject that comes from the macro-level sweep of cultural and societal change, as well as the micro-level actions of'
  ➜ Skipping stray line: 'individuals with personal, professional, and philosophical motivations. Most importantly, you will learn to evaluate and apply technological tools and'
  ➜ Skipping stray line: 'historical information to create an enriching student-centered mathematical learning environment. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'OPT2 - Mathematics Learning and Teaching - Mathematics Learning and Teaching will help you develop the knowledge and skills necessary to'
  ➜ Skipping stray line: 'become a prospective and practicing educator. You will be able to use a variety of instructional strategies to effectively facilitate the learning of'
  ➜ Skipping stray line: 'mathematics. This course focuses on selecting appropriate resources, using multiple strategies, and instructional planning, with methods based on'
  ➜ Skipping stray line: 'research and problem solving. A deep understanding of the knowledge, skills, and disposition of mathematics pedagogy is necessary to become an'
  ➜ Skipping stray line: 'effective secondary mathematics educator. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'PFHM - Business - HR Management Portfolio Requirement - Students prepare a culminating professional portfolio to demonstrate the'
  ➜ Skipping stray line: 'competencies they have learned throughout their program. The portfolio includes a strengths essay, a career report, a reflection essay, a résumé, and'
  ➜ Skipping stray line: 'exhibits demonstrating personal strengths in the work place.'
  ➜ Skipping stray line: 'PFIT - Business - IT Management Portfolio Requirement - Business - IT Management Portfolio Requirement is designed to help the learner'
  ➜ Skipping stray line: 'complete the culminating Undergraduate Business Portfolio assessment; it focuses on developing a business portfolio containing a strengths essay, a'
  ➜ Skipping stray line: 'career report, a reflection essay, a resume, and exhibits that support one’s strengths in the work place.'
  ➜ Skipping stray line: 'QDT1 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'
  ➜ Skipping stray line: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'
  ➜ Skipping stray line: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'
  ➜ Skipping stray line: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'
  ➜ Skipping stray line: 'Algebra is a prerequisite for this course.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 174'
  ➜ Skipping stray line: 'QDT2 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'
  ➜ Skipping stray line: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'
  ➜ Skipping stray line: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'
  ➜ Skipping stray line: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'
  ➜ Skipping stray line: 'Algebra is a prerequisite for this course.'
  ➜ Skipping stray line: 'QET1 - Business - HR Management Capstone Project - For the Business - HR Management Capstone Project students will integrate and'
  ➜ Skipping stray line: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ➜ Skipping stray line: 'professional field. A comprehensive business plan is developed for a company that offers HR products or services. The business plan includes a'
  ➜ Skipping stray line: 'market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ➜ Skipping stray line: 'QFT1 - Business - IT Management Capstone Project - The capstone requires students to demonstrate the integration and synthesis of'
  ➜ Skipping stray line: 'competencies in all domains required for the degree in Information Technology Management. The student produces a business plan for a start-up'
  ➜ Skipping stray line: 'company that is selected and approved by the student and mentor.'
  ➜ Skipping stray line: 'QGT1 - Business Management Capstone Written Project - For the Business Management Capstone Written Project students will integrate and'
  ➜ Skipping stray line: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ➜ Skipping stray line: 'professional field. A comprehensive business plan is developed for a company that plans to sell a product or service in a local market, national'
  ➜ Skipping stray line: 'market, or on the Internet. The business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to'
  ➜ Skipping stray line: 'the chosen company.'
  ➜ Skipping stray line: 'QHT1 - Business Management Tasks - Business Management Tasks addresses important concepts needed to effectively manage a'
  ➜ Skipping stray line: 'business. Topics include the cost-quality relationship, the use of various types of graphical charts in operations management, managing innovation,'
  ➜ Skipping stray line: 'and developing strategies for working with individuals and groups.'
  ➜ Skipping stray line: 'QIT1 - Business Marketing Management Capstone Written Project - For the Business Marketing Management Capstone Project students will'
  ➜ Skipping stray line: 'integrate and synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their'
  ➜ Skipping stray line: 'chosen professional field. A comprehensive business plan is developed for a company that provides some type of marketing product or service. The'
  ➜ Skipping stray line: 'business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ➜ Skipping stray line: 'QJT2 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to use'
  ➜ Skipping stray line: 'differential calculus of one variable and appropriate technology to solve basic problems. Topics include graphing functions and finding their domains'
  ➜ Skipping stray line: 'and ranges; limits, continuity, differentiability, visual, analytical, and conceptual approaches to the definition of the derivative; the power, chain, and'
  ➜ Skipping stray line: 'sum rules applied to polynomial and exponential functions, position and velocity; and L'Hopital's Rule. Candidates should have completed a course in'
  ➜ Skipping stray line: 'Pre-Calculus before engaging in this course.'
  ➜ Skipping stray line: 'QTT2 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ➜ Skipping stray line: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ➜ Skipping stray line: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ➜ Skipping stray line: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'RKT1 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ➜ Skipping stray line: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ➜ Skipping stray line: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ➜ Skipping stray line: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ➜ Skipping stray line: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ➜ Skipping stray line: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'RKT2 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ➜ Skipping stray line: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ➜ Skipping stray line: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ➜ Skipping stray line: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ➜ Skipping stray line: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ➜ Skipping stray line: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'RNT1 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ➜ Skipping stray line: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ➜ Skipping stray line: 'RNT2 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ➜ Skipping stray line: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ➜ Skipping stray line: 'RXT2 - Precalculus and Calculus - Precalculus and Calculus provides instruction in precalculus and calculus and applies them to examples found in'
  ➜ Skipping stray line: 'both mathematics and science. Topics in precalculus include principles of trigonometry, mathematical modeling, and logarithmic, exponential,'
  ➜ Skipping stray line: 'polynomial, and rational functions. Topics in calculus include conceptual knowledge of limit, continuity, differentiability, and integration.'
  ➜ Skipping stray line: 'SJT2 - Advanced Networking Technology - This course prepares students to support the ever growing interconnectivity needs of organizations.'
  ➜ Skipping stray line: 'Students will learn about advanced networking concepts, devices and strategies to provide superior network connectivity to organizations. A review of'
  ➜ Skipping stray line: 'common yet critical network devices and technologies will be provided such as switches, routers, hubs, firewalls, T-1s, ATM, fiber and others.'
  ➜ Skipping stray line: 'Students will also be prepared to review existing network environments and provide specifications to upgrade and enhance such networks.'
  ➜ Skipping stray line: 'SLO1 - Theories of Second Language Acquisition and Grammar - Theories of Second Language Learning Acquisition and Grammar covers'
  ➜ Skipping stray line: 'content material in applied linguistics, including morphology, syntax, semantics, and grammar. Students will explore the role of dialect in the'
  ➜ Skipping stray line: 'classroom, the connections between language and culture, and the theories of first and second language acquisition.'
  ➜ Skipping stray line: 'TAT2 - Technology Production - Technology Production focuses on the foundations of media and technology, integrated technology development,'
  ➜ Skipping stray line: 'and the integration of technology into appropriate instructional uses of productivity, and applying different research applications in the learning'
  ➜ Skipping stray line: 'environment.'
  ➜ Skipping stray line: 'TDT1 - Technology Design Portfolio - Technology Design Portfolio focuses on gaining a broad overview of the field of technology integration with a'
  ➜ Skipping stray line: 'fundamental understanding of some key concepts and principles, and enhancing technology skills to enable the producing of exportable instructional'
  ➜ Skipping stray line: 'and professional products using various integrated application programs.'
  ➜ Skipping stray line: 'TET1 - Issues in Technology Integration - Issues in Technology Integration focuses on the legal and ethical practice of technology, some personal'
  ➜ Skipping stray line: 'uses of electronic resources, the need for protection of information, the foundations of media and technology, what electronic learning communities'
  ➜ Skipping stray line: 'are, and the adaptive technologies for special populations.'
  ➜ Skipping stray line: 'TFT2 - Cyberlaw, Regulations, and Compliance - Cyberlaw, Regulations and Compliance prepares students to participate in legal analysis of'
  ➜ Skipping stray line: 'relevant cyberlaws and address governance, standards, policies, and legislation. Students will conduct a security risk analysis for an enterprise'
  ➜ Skipping stray line: 'system. In addition, students will determine cyber requirements for third‐party vendor agreements. Students will also evaluate provisions of both the'
  ➜ Skipping stray line: '2001 and 2006 USA PATRIOT Acts.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 175'
  ➜ Skipping stray line: 'TOC2 - Probability and Statistics I - Probability and Statistics I covers the knowledge and skills necessary to apply basic probability, descriptive'
  ➜ Skipping stray line: 'statistics, and statistical reasoning, and to use appropriate technology to model and solve real-life problems. It provides an introduction to the science'
  ➜ Skipping stray line: 'of collecting, processing, analyzing, and interpreting data. Topics include creating and interpreting numerical summaries and visual displays of data;'
  ➜ Skipping stray line: 'regression lines and correlation; evaluating sampling methods and their effect on possible conclusions; designing observational studies, controlled'
  ➜ Skipping stray line: 'experiments, and surveys; and determining probabilities using simulations, diagrams, and probability rules. College Algebra is a prerequisite for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'TQC1 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Skipping stray line: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Skipping stray line: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Skipping stray line: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Skipping stray line: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Skipping stray line: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Skipping stray line: 'TQC2 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Skipping stray line: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Skipping stray line: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Skipping stray line: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Skipping stray line: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Skipping stray line: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Skipping stray line: 'TSC2 - General Chemistry I - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Skipping stray line: 'solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic table and chemical'
  ➜ Skipping stray line: 'nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work focuses on using'
  ➜ Skipping stray line: 'effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TSP1 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Skipping stray line: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Skipping stray line: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TSP2 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Skipping stray line: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Skipping stray line: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TUC2 - General Chemistry II - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Skipping stray line: 'solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models, oxidation-reduction'
  ➜ Skipping stray line: 'reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on using effective'
  ➜ Skipping stray line: 'laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TUP1 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Skipping stray line: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Skipping stray line: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TUP2 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Skipping stray line: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Skipping stray line: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TVT2 - Governance, Finance, Law, and Leadership for Principals - This subdomain contains content in educational law, finance, and'
  ➜ Skipping stray line: 'administration as well as a case study review of your site’s leadership practices.'
  ➜ Skipping stray line: 'UFC1 - Managerial Accounting - This course focuses on identifying, gathering, and interpreting information that will be used for evaluating and'
  ➜ Skipping stray line: 'managing the performance of a business. Students will also study cost measurement for producing goods and services and how to analyze and'
  ➜ Skipping stray line: 'control these costs.'
  ➜ Skipping stray line: 'UQT1 - Organic Chemistry - This course focuses on the study of compounds that contain carbon, much of which is learning how to organize and'
  ➜ Skipping stray line: 'group these compounds based on common bonds found within them in order to predict their structure, behavior, and reactivity.'
  ➜ Skipping stray line: 'VLT2 - Security Policies and Standards - Best Practices - This course focuses on the practices of planning and implementing organization-wide'
  ➜ Skipping stray line: 'security and assurance initiatives as well as auditing assurance processes.'
  ➜ Skipping stray line: 'VYC1 - Principles of Accounting - Principles of Accounting focuses on ways in which accounting principles are used in business operations.'
  ➜ Skipping stray line: 'Students will learn about the basics of accounting, including how to use Generally Accepted Accounting Principles (GAAP), ledgers, and journals.'
  ➜ Skipping stray line: 'Students will also be introduced to the steps of the accounting cycle, concepts of assets and liabilities, and general information about accounting'
  ➜ Skipping stray line: 'information systems. This course also presents bank reconciliation methods, balance sheets, and business ethics.'
  ➜ Skipping stray line: 'VZT1 - Marketing Applications - Marketing Applications allows students to apply their knowledge of core marketing principles by creating a'
  ➜ Skipping stray line: 'comprehensive marketing plan. Their plan will apply their knowledge of the marketing planning process, market analysis, and the marketing mix'
  ➜ Skipping stray line: '(product, place, promotion, and price).'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 176'
  ➜ Skipping stray line: 'Course Mentor Directory'
  ➜ Skipping stray line: 'General Education'
  ➜ Skipping stray line: 'Adams, William; M.A., Savanah College of Art and Design'
  ➜ Skipping stray line: 'Aguirre, Jennifer; M.S., Walden University'
  ➜ Skipping stray line: 'Akens, Jonne; Ph. D., Texas A&M University'
  ➜ Skipping stray line: 'Alexander, Ledora; Ed.S., Walden University'
  ➜ Skipping stray line: 'Ashe, James; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Barnes, Lauri; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Baty, Amanda; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Benson, Bryan; Ph.D., Boston College'
  ➜ Skipping stray line: 'Bilbrey, Joshua; Ph.D., Texas State University'
  ➜ Skipping stray line: 'Borden, Anne; Ph.D., Emory University'
  ➜ Skipping stray line: 'Brewer, Craig: Ph.D., University of Notre Dame'
  ➜ Skipping stray line: 'Brown, Bonnie; Ph.D., Stephen F. Austin State University'
  ➜ Skipping stray line: 'Browning, Ellen; Ph.D., University of Texas, Arlington'
  ➜ Skipping stray line: 'Buchanan, Tenielle; Ed.D., Lipscomb University'
  ➜ Skipping stray line: 'Byrnes, Sean; Ph.D., Emory University'
  ➜ Skipping stray line: 'Carmona, Karla; M.S., Western Governors University'
  ➜ Skipping stray line: 'Castaneda, Gilivaldo; M.Ed., University of Texas at San Antonio'
  ➜ Skipping stray line: 'Chaves Ulloa, Ramsa; Ph.D., Dartmouth College'
  ➜ Skipping stray line: 'Chittick, Sharla; Ph.D., University of Stirling'
  ➜ Skipping stray line: 'Condit, Lorna; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Cowan, Christy; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Crawford, Nathan; Ph.D., University of Tennessee-Knoxville'
  ➜ Skipping stray line: 'Crooks, Kathleen; Ph.D., University of Akron'
  ➜ Skipping stray line: 'Cross, Cameron; M.S., Kaplan University'
  ➜ Skipping stray line: 'Cureton, Sara; M.A., Gonzaga Univeristy'
  ➜ Skipping stray line: 'Cutler, Ned; Ph.D., Duke University'
  ➜ Skipping stray line: 'Dodge, Joshua; M.A., University of Central Florida'
  ➜ Skipping stray line: 'Dorre, Gina; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Douglas, Katherine; M.A., University of California, San Diego'
  ➜ Skipping stray line: 'Duff, Kandi; Ed.D., Idaho State University'
  ➜ Skipping stray line: 'Dungar, Michael; MA, Boston College'
  ➜ Skipping stray line: 'Edmunds, Jeffrey; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Evans, Robin; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Evenson Newhouse, Ranae; Ph.D., Vanderbilt University'
  ➜ Skipping stray line: 'Faucett, Jessica; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Fehnel, Bradley; M.S., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Fellow, Jill; M.S., Brigham Young University'
  ➜ Skipping stray line: 'Franco, Heidi; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Frusciante, Denise; Ph.D., University of Miami'
  ➜ Skipping stray line: 'Galindez, Dahlia; MA, Western Governors University'
  ➜ Skipping stray line: 'Gangaram, Jitendra; Ph.D., North Central University'
  ➜ Skipping stray line: 'Garrett, Janette; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Goodwin, Rachel; Ph.D., University of Texas'
  ➜ Skipping stray line: 'Gordon, Kelley; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Gravitte, Kristen; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Gradzielewski, Andrew; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Halula, Stephen; Ph.D., Marquette University'
  ➜ Skipping stray line: 'Harris, Steven; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Hartwick, Andromeda; Ph.D., University of Michigan'
  ➜ Skipping stray line: 'Hayne, Victoria; Ph.D., University of California - Los Angeles'
  ➜ Skipping stray line: 'Hernandez, Ali; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Hillyer, Aaron; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Horne, Lisa; M.A., Brigham Young University'
  ➜ Skipping stray line: 'Hurley, Norman; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Jensen, Taylor; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Johnson, Stephanie; MBA, Lindenwood University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 177'
  ➜ Skipping stray line: 'Jones, Lee; Ph.D., Clark Atlanta University'
  ➜ Skipping stray line: 'Kelley, Matthew; Ph.D., University of Nevada-Las Vegas'
  ➜ Skipping stray line: 'Kelly, Lynn; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Knieps, Linda; Ph.D., Vanderbilt University'
  ➜ Skipping stray line: 'Knous, Helen; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Landry, Stan; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Latham, Kary; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Lauren, Jennifer; Ph.D., Duquesne University'
  ➜ Skipping stray line: 'Leep, Matthew; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Lettau, Lisa; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Little, David; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Lukin, Kara; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Main, Daniel; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Mammen, John; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Mantooth, Stacy; Ph. D., University of Nevada – Las Vegas'
  ➜ Skipping stray line: 'Martin, Jonathan; M.A., West Virginia University'
  ➜ Skipping stray line: 'Mays, Ashley; Ph.D., University of North Carolina at Chapel Hill'
  ➜ Skipping stray line: 'McCune, Timothy; Ph.D., Youngstown State University'
  ➜ Skipping stray line: 'McWatters, Mason; Ph.D., University of Texas at Austin'
  ➜ Skipping stray line: 'Metoki, Kiyoko; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Meyer, Nicholas; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Miller, Don; Ph.D., Morehouse School of Medicine'
  ➜ Skipping stray line: 'Miller, Kathleen; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Moody, Vivian; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Mosgrove, Sharon; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Moss, Meg; Ph.D., University of Tennessee-Knoxville'
  ➜ Skipping stray line: 'Mzoughi, Taha; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Nelson, Angela; Ph.D., Cornell University'
  ➜ Skipping stray line: 'Nicley, Erinn; M.S., Florida State University'
  ➜ Skipping stray line: 'Norton, Cindy; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Olson, Nels; Ph.D., Michigan State University'
  ➜ Skipping stray line: 'Oulette, David; Ph.D., Virginia Commonwealth University'
  ➜ Skipping stray line: 'Palmer, Michael; M.F.A., University of Utah'
  ➜ Skipping stray line: 'Pankowski, Peg; Ed.D., Duquesne University'
  ➜ Skipping stray line: 'Parrish, Anca; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Parton, Sabrena; Ph.D., University of Southern Mississippi'
  ➜ Skipping stray line: 'Parvin, Kathleen; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Peppers, Shelitha; Ed.D., Maryville University'
  ➜ Skipping stray line: 'Perkins, Heidi; M.S., Excelsior College'
  ➜ Skipping stray line: 'Phillips, Dedra; M.A., Colorado Technical University'
  ➜ Skipping stray line: 'Potter, Christine; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Quintela, Melissa; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Radosavljevic, Alexander; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Redden, Cameron; MAT, Baldwin Wallace University'
  ➜ Skipping stray line: 'Redkey, Elizabeth; Ph.D., University at Albany, State University of New York'
  ➜ Skipping stray line: 'Remington, Theodore; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Rhodes, Kristofer; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Robinson, Ami; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Robinson, Jeffery; Ph.D., Drew University'
  ➜ Skipping stray line: 'Rosenblatt, Heather; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Rossi, Cynthia; Ph.D., University of Maryland'
  ➜ Skipping stray line: 'Saddler, Derrick; Ph.D., University of South Florida'
  ➜ Skipping stray line: 'Sanchez, Melvin; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Scheg, Abigail; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Scheib, Douglas; Ph.D., University of Miami'
  ➜ Skipping stray line: 'Scotece, Shannon; Ph.D., State University of New York - Albany'
  ➜ Skipping stray line: 'Shahi, Kimberley; Ph.D., University of Texas at Arlington'
  ➜ Skipping stray line: 'Sharpe, Robert; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Shimotsu-Dariol, Stephanie; Ph.D., West Virginia University'
  ➜ Skipping stray line: 'Simeon, Patricia; Ed.D., Grambling State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 178'
  ➜ Skipping stray line: 'Simmons, Nathaniel; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Smith, Tommie; MBA, Middle Tennessee State University'
  ➜ Skipping stray line: 'Springfield, Derriell; Ed.D., East Tennessee State University'
  ➜ Skipping stray line: 'St Martin, Ashley; M.S., University of Vermont'
  ➜ Skipping stray line: 'Stambaugh, Nathaniel; Ph.D., Brandeis University'
  ➜ Skipping stray line: 'Starr, Neil; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Timmer, Kristin; Ph.D., University of Tennessee Health Science Center'
  ➜ Skipping stray line: 'Tolin Schultz, Alexandra; Ph.D., Stony Brook University'
  ➜ Skipping stray line: 'Tucker, Diana; Ph.D., Southern Illinois University Carbondale'
  ➜ Skipping stray line: 'Tweedy, Joanna; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Verber, Jason; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Vida, Anna; M.A., Arizona State University'
  ➜ Skipping stray line: 'Walker, Hope; M.A., The American University'
  ➜ Skipping stray line: 'Weaver, Matthew; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Webb, James; M.A., Pacific University'
  ➜ Skipping stray line: 'Wellinghoff, Lisa; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Westmoreland, Brandi; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Whitson-Whennen, Tonya; M.M., University of Utah'
  ➜ Skipping stray line: 'Woolridge, Mary; Ph.D., University of Central Florida'
  ➜ Skipping stray line: 'Young, Michael; Ph.D., University of Missouri at Saint Louis'
  ➜ Skipping stray line: 'Zasadny, Jill; Ph.D., Kansas University'
  ➜ Skipping stray line: 'Teachers College'
  ➜ Skipping stray line: 'Aafif, Amal; Ph.D., Drexel University'
  ➜ Skipping stray line: 'Affleck, Alisa; M.A., Western Governors University'
  ➜ Skipping stray line: 'Allen, Elizabeth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Aranda, Christina; M.A., University of Utah'
  ➜ Skipping stray line: 'Aufderhaar, Carolyn; Ed.D., University of Cincinnati'
  ➜ Skipping stray line: 'Baxter, Marissa; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Belchik-Moser, Sara; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Betts, Anastasia; Ph.D., Regent University'
  ➜ Skipping stray line: 'Blanks, Dorothy; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Boen, Laurie; Ph.D., University of Arkansas'
  ➜ Skipping stray line: 'Boyd-Bradwell, Natasha; Ph.D., Capella University'
  ➜ Skipping stray line: 'Branan, Daniel; Ph.D., University of Denver'
  ➜ Skipping stray line: 'Branch, Leah; Ed.D., Bethel University'
  ➜ Skipping stray line: 'Brogan, Lynn; Ed.D., Columbia University'
  ➜ Skipping stray line: 'Brooks, Marlaina; Ed.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Calero, Lisa; Ph.D., Capella University'
  ➜ Skipping stray line: 'Carey, Kimberly; Ph.D., Old Dominion University'
  ➜ Skipping stray line: 'Cartwright, Nancy; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'Cohen, Kimberley; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Constanza, Michele; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Covey, Nicole; Ed.D., University of Memphis'
  ➜ Skipping stray line: 'Douglas, Deanna; Ph.D., Wichita State University'
  ➜ Skipping stray line: 'Dove, Teresa; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Dukes, Debra; Ed.D., University of Georgia'
  ➜ Skipping stray line: 'Durakiewicz, Anna; M.S., University of Marie Curie'
  ➜ Skipping stray line: 'Eisenhour, Melanie; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Feng, Suiping; Ph.D., City University of New York'
  ➜ Skipping stray line: 'Fillpot, Elsie; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Flavin, Kathryn; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Flores, Alberto; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Francis, David; M.A., Western Governors University'
  ➜ Skipping stray line: 'Giddens, Evelyn; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gillman, Brenna; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Gray-Dowdy, Audra; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Hall, Robert; Ph.D., Capella University'
  ➜ Skipping stray line: 'Halverson, Colleen; Ph.D., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Harbin, Lesley; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 179'
  ➜ Skipping stray line: 'Hardin, Bridgette; Ed.D., Texas A&M University-Corpus Christi'
  ➜ Skipping stray line: 'Hedman, Shawn; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Henry, Joanna; M.E., Lamar University'
  ➜ Skipping stray line: 'Hernandez, Julie; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Hiebel, Adam; Ed.D., Ohio University'
  ➜ Skipping stray line: 'Hudon-Miller, Sarah; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Hughes, Amy; Ed.D., University of Montana'
  ➜ Skipping stray line: 'Hutson, Tommye; Ed.D., Baylor University'
  ➜ Skipping stray line: 'Igbinoba-Cummings, Monique; Ph.D., Lynn University'
  ➜ Skipping stray line: 'Izumi, Alisa; Ed.D., University of Massachusetts'
  ➜ Skipping stray line: 'Jacobs, Patricia; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Janitzki, Dean; M.A., University of Toledo'
  ➜ Skipping stray line: 'Johnson, Sherri; Ph.D., Capella University'
  ➜ Skipping stray line: 'Jovic, Marko; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Kain, Meri; Ed.D., University of Missouri'
  ➜ Skipping stray line: 'Kelly, Gretchen; Ed.D., Walden University'
  ➜ Skipping stray line: 'Leinbach, William; Ed.D., Oregon State University'
  ➜ Skipping stray line: 'Lindemann, Steven; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Linkenhoker, Dina; Ed.D., Liberty University'
  ➜ Skipping stray line: 'Lipscomb, Pauline; Ed.D., University of the Cumberlands'
  ➜ Skipping stray line: 'Luster, Sandricia; Ed.S., Argosy University'
  ➜ Skipping stray line: 'McCarver, Patricia; Ph.D., California Institute of Integral Studies'
  ➜ Skipping stray line: 'McDaniel, Maryann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'McGrath Hovland, Michelle; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Mendes, John; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Miller, Esther; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Mills, Ginger; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Moore, Tontaleya; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Morgan, Matthew; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Mour, Jennifer; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Murray, Mary; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Obianyo, Obiamaka; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Odom, M. Katherine; Ph.D., University of South Alabama'
  ➜ Skipping stray line: 'O’Malley, Maureen; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Pack, Mamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Parry, Kelly; Ph.D., University of North Texas'
  ➜ Skipping stray line: 'Purnell, Courtney; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Quinn, Lori; M.A.Ed., Prairie View A&M University'
  ➜ Skipping stray line: 'Rahsaz, Jacqueline; M.A., University of California San Diego'
  ➜ Skipping stray line: 'Randonis, Jennifer; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Rawson, Robert; Ph.D., University of Texas Southwestern'
  ➜ Skipping stray line: 'Richen, Damara; Ed.D., Fielding Graduate University'
  ➜ Skipping stray line: 'Robles, Veronica; Ed.D., Arizona State University'
  ➜ Skipping stray line: 'Rogers, Carmelle; Ph.D., Kansas State University'
  ➜ Skipping stray line: 'Russell-Fry, Nancy; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Scales, Rebecca; M.A., Western Governors University'
  ➜ Skipping stray line: 'Schmidt, Stan; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Sepetys, Peggy; Ed.D., University of Michigan'
  ➜ Skipping stray line: 'Shrader, Vincent; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Silver, Jennifer; Ph.D., New York University'
  ➜ Skipping stray line: 'Sims, Rachel; Ed.D., Walden University'
  ➜ Skipping stray line: 'Smith, Janeal; Ph.D., Walden University'
  ➜ Skipping stray line: 'Spencer, Kristin; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Story, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Swenson, Karl; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Thompson, Julie; Ph.D., University of Rochester'
  ➜ Skipping stray line: 'Traub-Metlay, Suzanne; Ph.D., University of Pittsburg'
  ➜ Skipping stray line: 'Tresnak, Robyn; Ph.D., Walden University'
  ➜ Skipping stray line: 'Turner, Carmen; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Vickers, Paul; Ed.D., Stephen F. Austin State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 180'
  ➜ Skipping stray line: 'Walter-Sullivan, Earnestyne; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'Weinstein, Gideon; Ph.D., Indiana University Bloomington'
  ➜ Skipping stray line: 'Whitmire, Jane; Ph.D., University of Montana'
  ➜ Skipping stray line: 'Willey-Rendon, Ruby; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Williams, Lacey; Ed.D., Union Institute and University'
  ➜ Skipping stray line: 'Wisnosky, Marc; Ph.D., University of Pittsburgh'
  ➜ Skipping stray line: 'Yanusheva, Lidiya; Ed.D., Walden University'
  ➜ Skipping stray line: 'Yatherajam, Gayatri; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Zartman, Krista; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Zimmerli, Mandy; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'College of Business'
  ➜ Skipping stray line: 'Abubakari, Nina; J.D., Wayne State University'
  ➜ Skipping stray line: 'Adler, Kathleen; Ph.D., Southern Methodist University'
  ➜ Skipping stray line: 'Alafita, Theresa; Ph.D., George Washington University'
  ➜ Skipping stray line: 'Arenz, Russell; Ph.D., Colorado Technical University'
  ➜ Skipping stray line: 'Argiento, Steven; J.D., Pace University'
  ➜ Skipping stray line: 'Austin, Judy; MBA, Western Governors University'
  ➜ Skipping stray line: 'Baragoshi, Behroz; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Barton, Robert; Ed.S., Utah State University'
  ➜ Skipping stray line: 'Black, Hilda; Ph.D., Louisiana Tech University'
  ➜ Skipping stray line: 'Borch, Casey; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Boysen-Rotelli, Sheila; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Brownstein, Steven; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Carson, Pook; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Cassell, Kenneth; MBA, San Jose State University'
  ➜ Skipping stray line: 'Cherry, Patricia; Ph.D., Capella University'
  ➜ Skipping stray line: 'Clarke, Jeffrey; Ph.D., University of California-Los Angeles'
  ➜ Skipping stray line: 'Connor, Martin; J.D., University of North Dakota'
  ➜ Skipping stray line: 'Davis, Lorretta; Ph.D., Capella University'
  ➜ Skipping stray line: 'Davis, Mary; Ed.D., Central Michigan University'
  ➜ Skipping stray line: 'Doctorman, Lindsey; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Doren, Andrew; D.M., University of Maryland'
  ➜ Skipping stray line: 'Dula, Kimberly; Ph.D., Mercer University'
  ➜ Skipping stray line: 'Duran, Anthony; DBA, Grand Canyon University'
  ➜ Skipping stray line: 'Ennis, Erica; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Etter, Edwin; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Feehery, George; DBA, Nova Southeastern University'
  ➜ Skipping stray line: 'Fisher, Paul; Ph.D., Oregon State University'
  ➜ Skipping stray line: 'Gallo, Merry; DBA, Argosy University'
  ➜ Skipping stray line: 'Garland, Jennifer; DBA, Keiser University'
  ➜ Skipping stray line: 'Geddes, Bruce; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gilyot, Bianca; MBA, Northcentral University'
  ➜ Skipping stray line: 'Giscombe, Hilbert; DBA, Argosy University'
  ➜ Skipping stray line: 'Gough, Gregory; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Green, Maurice; Ph.D., University at Albany – State University of New York'
  ➜ Skipping stray line: 'Gunn, Linda; Ph.D., Union Institute and University'
  ➜ Skipping stray line: 'Havins, Merwin; Ed.D., Northern Arizona University'
  ➜ Skipping stray line: 'Heinzman, Joseph; DM, Colorado Technical University'
  ➜ Skipping stray line: 'Hon, Charles; Ph.D., Capella University'
  ➜ Skipping stray line: 'Hudson, Brandi; J.D., Regent University'
  ➜ Skipping stray line: 'Iannucci, Brian; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Imboden, Paul; DBA., Northcentral University'
  ➜ Skipping stray line: 'Jividen, Jim; J.D., Ohio Northern University'
  ➜ Skipping stray line: 'Jones, Alan; MBA, Dartmouth College'
  ➜ Skipping stray line: 'Justice, Jeanne; DBA, Walden University'
  ➜ Skipping stray line: 'Kale, Mrinalini; Ph.D., Capella University'
  ➜ Skipping stray line: 'Kenny, Timothy; M.S., Regis University'
  ➜ Skipping stray line: 'Kowalski, Christine; Ed.D., National Louis University'
  ➜ Skipping stray line: 'Kushniroff, Melinda; Ed.D., Liberty University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 181'
  ➜ Skipping stray line: 'La Hay, Ann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Lagroue, Harold; Ph.D., Louisiana State University'
  ➜ Skipping stray line: 'Lamer, Maryann; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Langdon, Debra; MBA, Denver University'
  ➜ Skipping stray line: 'Lutter-Cooper, Victoria; Ph.D., Capella University'
  ➜ Skipping stray line: 'Marshall, Mario; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'McClesky, Jamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'McNulty, Peggy; Ph.D., University of Colorado-Colorado Springs'
  ➜ Skipping stray line: 'Melton, Rebecca; Ph.D., Chicago School of Professional Psychology'
  ➜ Skipping stray line: 'Mills, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Moore, Detria; J.D., Liberty University'
  ➜ Skipping stray line: 'Neely, Cecil; MBA, University of North Carolina at Greensboro'
  ➜ Skipping stray line: 'Nelms, Linda; Ph.D., Capella University'
  ➜ Skipping stray line: 'Nelson, Camille; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'O’Brien, Joseph; Ed.D., George Washington University'
  ➜ Skipping stray line: 'Openshaw, Matthew; Ph.D., University of Texas at Dallas'
  ➜ Skipping stray line: 'Parish, Beth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Patterson, Julie; Ph.D., University of Illinois at Urbana-Champaign'
  ➜ Skipping stray line: 'Pawarski, Richard; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Phillips, Patti; J.D., Stetson University'
  ➜ Skipping stray line: 'Pratt, Christopher; DHA, University of Phoenix'
  ➜ Skipping stray line: 'Raimo, Steve; DSL, Regent University'
  ➜ Skipping stray line: 'Richardson, Shay; DBA, Walden University'
  ➜ Skipping stray line: 'Roberts, Tracia; M.S., University of Phoenix'
  ➜ Skipping stray line: 'Roberts, Wade; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Rogers, Katie; MBA, University of Utah'
  ➜ Skipping stray line: 'Sawant, Gauri; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Shah, Rob; MBA, DeVry University'
  ➜ Skipping stray line: 'Shepherd, Tracie; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Skinner, Susan; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Snipes, Dawna; J.D., Western Michigan University'
  ➜ Skipping stray line: 'Souder, Michele; MBA, University of Dayton'
  ➜ Skipping stray line: 'Spicer, Ronald; Ph.D., Capella University'
  ➜ Skipping stray line: 'Stewart, Michelle; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Strickland, Cynthia; Ph.D., Touro University International'
  ➜ Skipping stray line: 'Swarthout, Nanette; MBA, Fontbonne University'
  ➜ Skipping stray line: 'Tapp, Timothy; MHA, Washington University'
  ➜ Skipping stray line: 'Thomas, Melanie; J.D., University of North Carolina'
  ➜ Skipping stray line: 'Venkateswar, Sankaran; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Wachter, Eddie; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Wade, Keith; MBA, University of Detroit'
  ➜ Skipping stray line: 'Walker, Natalie; DBA, Keiser University'
  ➜ Skipping stray line: 'Wang, Xiaofei; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Williams, Pegeen; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Williams, Rian; MPA, University of Utah'
  ➜ Skipping stray line: 'Wood, Carrie; M.S., Strayer University'
  ➜ Skipping stray line: 'College of Information Technology'
  ➜ Skipping stray line: 'Al-Husaam, Abdul; Ph.D., Capella University'
  ➜ Skipping stray line: 'Alberici, Mary; Ph.D., University of Missouri-St. Louis'
  ➜ Skipping stray line: 'Allen, Candice; M.A., Capella University'
  ➜ Skipping stray line: 'Antonucci, Amy; M.S., University of Delaware'
  ➜ Skipping stray line: 'Banerjee, Pubali; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'Beverley, Charles; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Blanson, Constance; Ph.D., Capella University'
  ➜ Skipping stray line: 'Bojonny, John; M.S., Marywood University'
  ➜ Skipping stray line: 'Borsum, Pamela; MBA, Western Governors University'
  ➜ Skipping stray line: 'Campbell, Wendy; DBA, Northcentral University'
  ➜ Skipping stray line: 'Carter, Betty; M.S., Troy University'
  ➜ Skipping stray line: 'Cobbs, Dana; M.S., College of William and Mary'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 182'
  ➜ Skipping stray line: 'Cook, Henry; M.S., Clark Atlanta University'
  ➜ Skipping stray line: 'Crawford, Demetria; M.S., Boston University'
  ➜ Skipping stray line: 'Dupree, Yolanda; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Farmer, Jaynee; M.A., University of Arkansas at Little Rock'
  ➜ Skipping stray line: 'Ferdinand, Jeff; M.S., Trident University International'
  ➜ Skipping stray line: 'Gardner, Diana; MBA, Western Governors University'
  ➜ Skipping stray line: 'Garza, Brian; M.S., Western Governors University'
  ➜ Skipping stray line: 'Goodwin, Orenthio; Ph.D., Capella University'
  ➜ Skipping stray line: 'Heiner, Jenny; M.S., Capitol College'
  ➜ Skipping stray line: 'Huff, David; Ph.D., Wayne State University'
  ➜ Skipping stray line: 'Jensen, Bryan; M.S., Bellvue University'
  ➜ Skipping stray line: 'Kercher, Paul; M.S., Missouri University of Science and Technology'
  ➜ Skipping stray line: 'LaMolinare, Deana; M.S., Duquesne University'
  ➜ Skipping stray line: 'Lang, Cythia; MSCHe, University of Maryland'
  ➜ Skipping stray line: 'Lavieri, Edward; DCS, Colorado Technical University'
  ➜ Skipping stray line: 'Light, Gerri; M.S., Walden University'
  ➜ Skipping stray line: 'Lively, Charles; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'McFarlane, Michele; M.S., DeVry University'
  ➜ Skipping stray line: 'McLaughlin, Mike; M.S., University of Maine'
  ➜ Skipping stray line: 'Mendell, Ronald; M.S., Capitol College'
  ➜ Skipping stray line: 'Milham, Thomas; MNCM, DeVry University'
  ➜ Skipping stray line: 'Moore, Ronald; M.A., Troy University'
  ➜ Skipping stray line: 'Morrill, Ralph; Ph.D., North Central University'
  ➜ Skipping stray line: 'Ntinglet-Davis, Emelda; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Ozmer, Connie; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Paddock, Charles; Ph.D., University of Houston'
  ➜ Skipping stray line: 'Peterson, Michael; Ph.D., Capella University'
  ➜ Skipping stray line: 'Pinaire, Ken; MBA, University of Texas at Dallas'
  ➜ Skipping stray line: 'Rawlinson, David; J.D., South Texas College of Law'
  ➜ Skipping stray line: 'Schaefer, Brett; MBA, DeVry University'
  ➜ Skipping stray line: 'Shenk, Maria; M.S., City University of Seattle'
  ➜ Skipping stray line: 'Scutro, Rebecca; M.S., Saint Joseph’s University'
  ➜ Skipping stray line: 'Sewell, William; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Sher-DeCusatis, Carolyn; M.A., State University of New York at Stony Brook'
  ➜ Skipping stray line: 'Shields, Jessica; MFA, Savannah College of Art and Design'
  ➜ Skipping stray line: 'Sistelos, Antonio; Ph.D., Indiana State University'
  ➜ Skipping stray line: 'Stromberg, Scott; M.S., Nova Southeastern University'
  ➜ Skipping stray line: 'Swanson, Tom; Ph.D., Capella University'
  ➜ Skipping stray line: 'Taylor, Julinda; M.S., Wichita State University'
  ➜ Skipping stray line: 'Travis, Susan; M.A., University of Phoenix'
  ➜ Skipping stray line: 'College of Health Professions'
  ➜ Skipping stray line: 'Abdur-Rahman, Veronica; Ph.D., Texas Woman’s University'
  ➜ Skipping stray line: 'Abee, Debra; M.S., University of North Carolina Greensboro'
  ➜ Skipping stray line: 'Abraham, Gail; MSN/ED, University of Phoenix'
  ➜ Skipping stray line: 'Adams, Lora; M.S., Michigan State University'
  ➜ Skipping stray line: 'Adkins, Dee; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Allen, Juanita; DNP, University of Utah'
  ➜ Skipping stray line: 'Ashby, Shelley; DNP, University of Southern Indiana'
  ➜ Skipping stray line: 'Austgen, Donna; M.S., University of Indianapolis'
  ➜ Skipping stray line: 'Barber, Kendar; M.S., Indiana University'
  ➜ Skipping stray line: 'Battle, Linda; DNP, Regis College'
  ➜ Skipping stray line: 'Benoit, Heidi; M.S., Western Governors University'
  ➜ Skipping stray line: 'Benson, Johnett; DNP, Kent State University'
  ➜ Skipping stray line: 'Bergfeld, Marcia; M.S., Lourdes College'
  ➜ Skipping stray line: 'Berndt, Janeen; DNP, Valparaiso University'
  ➜ Skipping stray line: 'Blaine, Stephanie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Cain, Lyn; Ph.D., Grand Canyon University'
  ➜ Skipping stray line: 'Carney, Mary; DNP, Touro University – Nevada'
  ➜ Skipping stray line: 'Chau-Nguyen, Thao; MPH, Tulane University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 183'
  ➜ Skipping stray line: 'Cleveland, Melissa; DNP, Rocky Mountain University'
  ➜ Skipping stray line: 'Cloonan, Kelly; DNP, Case Western Reserve'
  ➜ Skipping stray line: 'Dahdal, Kimberly; M.S., Western Governors University'
  ➜ Skipping stray line: 'Dantzler, Barbara; Ph.D., Trident University'
  ➜ Skipping stray line: 'Diaz, Constance; Ph.D., University of Northern Colorado'
  ➜ Skipping stray line: 'Diaz, Lorna; DNP, Western University of Health Sciences'
  ➜ Skipping stray line: 'Dorin, Michelle; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Dush, Curtis; M.S., East Tennessee State University'
  ➜ Skipping stray line: 'Elmer, Justine; M.S., Kaplan University'
  ➜ Skipping stray line: 'Englert, Mary; DNP, University of North Florida'
  ➜ Skipping stray line: 'Feather, Rebecca; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Frankie, Sandra; M.S., Western Governors University'
  ➜ Skipping stray line: 'Gabel, Ann; M.S., University of Kansas'
  ➜ Skipping stray line: 'Gayol, Marcos; M.S., Aspen University'
  ➜ Skipping stray line: 'Giaquinto, Elisa; M.A., Brown University'
  ➜ Skipping stray line: 'Gogatz, Debra; DNP, Regis University'
  ➜ Skipping stray line: 'Golden, Christina; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Gottesfeld, Ilene; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Gwyn, Elizabeth; M.S., Winston Salem State University'
  ➜ Skipping stray line: 'Hadsell, Christine; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Hansen, Julie; Ph.D., South Dakota State University'
  ➜ Skipping stray line: 'Hartley-Clanton, Patricia; M.S., University of Utah'
  ➜ Skipping stray line: 'Hawkins, Shannon; M.S., Walden University'
  ➜ Skipping stray line: 'Heyer-Schmidt, Theres-Anne; ND, University of Colorado-Denver'
  ➜ Skipping stray line: 'Hill, Dana; Ph.D., Walden University'
  ➜ Skipping stray line: 'Hunt, Eleanor; M.S., Duke University'
  ➜ Skipping stray line: 'Johnson-Anderson, Heidi; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Kangas, Sandra; Ph.D., Georgia State University'
  ➜ Skipping stray line: 'Kogan, Lisa; M.S., Western Governors University'
  ➜ Skipping stray line: 'Langer Atkinson, Heidi; Ph.D., University of Albany'
  ➜ Skipping stray line: 'Lashlee, Marilyn; DNP, Northeastern University'
  ➜ Skipping stray line: 'Long, Jennifer; M.S., Indiana University'
  ➜ Skipping stray line: 'Marshall, Janet; Ph.D., Rush University'
  ➜ Title candidate: 'Masterson, Debra; Ed.D., Liberty University'
  ✔️ Collected description (40 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 6220: 'C763 - Healthcare Information Systems Management - Information Systems Management provides an overview of many facets of information'

🔍 parse_program: starting at line 6220: 'C763 - Healthcare Information Systems Management - Information Systems Management provides an overview of many facets of information'
  ➜ Title candidate: 'C763 - Healthcare Information Systems Management - Information Systems Management provides an overview of many facets of information'
  ❌ Invalid title line: 'C763 - Healthcare Information Systems Management - Information Systems Management provides an overview of many facets of information'
  ➜ Parsing at 6221: 'systems that are applicable to business and healthcare. The course explores how information technology (IT) is an organizational resource that must'

🔍 parse_program: starting at line 6221: 'systems that are applicable to business and healthcare. The course explores how information technology (IT) is an organizational resource that must'
  ➜ Title candidate: 'systems that are applicable to business and healthcare. The course explores how information technology (IT) is an organizational resource that must'
  ❌ Invalid title line: 'systems that are applicable to business and healthcare. The course explores how information technology (IT) is an organizational resource that must'
  ➜ Parsing at 6222: 'be managed so that it supports or enables organizational strategy. The course will discuss how decision support and communication are securely'

🔍 parse_program: starting at line 6222: 'be managed so that it supports or enables organizational strategy. The course will discuss how decision support and communication are securely'
  ➜ Title candidate: 'be managed so that it supports or enables organizational strategy. The course will discuss how decision support and communication are securely'
  ❌ Invalid title line: 'be managed so that it supports or enables organizational strategy. The course will discuss how decision support and communication are securely'
  ➜ Parsing at 6223: 'facilitated in a global marketplace. The course also explores current and continuously evolving technologies, strategic thinking, and issues at the'

🔍 parse_program: starting at line 6223: 'facilitated in a global marketplace. The course also explores current and continuously evolving technologies, strategic thinking, and issues at the'
  ➜ Title candidate: 'facilitated in a global marketplace. The course also explores current and continuously evolving technologies, strategic thinking, and issues at the'
  ❌ Invalid title line: 'facilitated in a global marketplace. The course also explores current and continuously evolving technologies, strategic thinking, and issues at the'
  ➜ Parsing at 6224: 'intersection of management and technology.'

🔍 parse_program: starting at line 6224: 'intersection of management and technology.'
  ➜ Title candidate: 'intersection of management and technology.'
  ❌ Invalid title line: 'intersection of management and technology.'
  ➜ Parsing at 6225: 'C768 - Technical Communication - This course covers basic elements of technical communication, including professional written communication'

🔍 parse_program: starting at line 6225: 'C768 - Technical Communication - This course covers basic elements of technical communication, including professional written communication'
  ➜ Title candidate: 'C768 - Technical Communication - This course covers basic elements of technical communication, including professional written communication'
  ❌ Invalid title line: 'C768 - Technical Communication - This course covers basic elements of technical communication, including professional written communication'
  ➜ Parsing at 6226: 'proficiency; the ability to strategize approaches for differing audiences; and technical style, grammar, and syntax proficiency.'

🔍 parse_program: starting at line 6226: 'proficiency; the ability to strategize approaches for differing audiences; and technical style, grammar, and syntax proficiency.'
  ➜ Title candidate: 'proficiency; the ability to strategize approaches for differing audiences; and technical style, grammar, and syntax proficiency.'
  ❌ Invalid title line: 'proficiency; the ability to strategize approaches for differing audiences; and technical style, grammar, and syntax proficiency.'
  ➜ Parsing at 6227: 'C769 - IT Capstone Written Project - The capstone project consists of a technical work proposal, the proposal’s implementation, and a post-'

🔍 parse_program: starting at line 6227: 'C769 - IT Capstone Written Project - The capstone project consists of a technical work proposal, the proposal’s implementation, and a post-'
  ➜ Title candidate: 'C769 - IT Capstone Written Project - The capstone project consists of a technical work proposal, the proposal’s implementation, and a post-'
  ❌ Invalid title line: 'C769 - IT Capstone Written Project - The capstone project consists of a technical work proposal, the proposal’s implementation, and a post-'
  ➜ Parsing at 6228: 'implementation report that describes the graduate’s experience in developing and implementing the capstone project. The capstone project should be'

🔍 parse_program: starting at line 6228: 'implementation report that describes the graduate’s experience in developing and implementing the capstone project. The capstone project should be'
  ➜ Title candidate: 'implementation report that describes the graduate’s experience in developing and implementing the capstone project. The capstone project should be'
  ❌ Invalid title line: 'implementation report that describes the graduate’s experience in developing and implementing the capstone project. The capstone project should be'
  ➜ Parsing at 6229: 'presented and approved by the mentor in relation to the graduate’s technical emphasis.'

🔍 parse_program: starting at line 6229: 'presented and approved by the mentor in relation to the graduate’s technical emphasis.'
  ➜ Title candidate: 'presented and approved by the mentor in relation to the graduate’s technical emphasis.'
  ❌ Invalid title line: 'presented and approved by the mentor in relation to the graduate’s technical emphasis.'
  ➜ Parsing at 6230: 'C772 - Data Analytics Graduate Capstone - The Data Analytics Graduate Capstone course allows the student to demonstrate their application of the'

🔍 parse_program: starting at line 6230: 'C772 - Data Analytics Graduate Capstone - The Data Analytics Graduate Capstone course allows the student to demonstrate their application of the'
  ➜ Title candidate: 'C772 - Data Analytics Graduate Capstone - The Data Analytics Graduate Capstone course allows the student to demonstrate their application of the'
  ❌ Invalid title line: 'C772 - Data Analytics Graduate Capstone - The Data Analytics Graduate Capstone course allows the student to demonstrate their application of the'
  ➜ Parsing at 6231: 'academic and professional abilities developed as a graduate student. The capstone challenges students to integrate skills and knowledge from'

🔍 parse_program: starting at line 6231: 'academic and professional abilities developed as a graduate student. The capstone challenges students to integrate skills and knowledge from'
  ➜ Title candidate: 'academic and professional abilities developed as a graduate student. The capstone challenges students to integrate skills and knowledge from'
  ❌ Invalid title line: 'academic and professional abilities developed as a graduate student. The capstone challenges students to integrate skills and knowledge from'
  ➜ Parsing at 6232: 'several program domains into one project.'

🔍 parse_program: starting at line 6232: 'several program domains into one project.'
  ➜ Title candidate: 'several program domains into one project.'
  ❌ Invalid title line: 'several program domains into one project.'
  ➜ Parsing at 6233: 'C773 - User Interface Design - This course covers tools and techniques employed in user interface design including web and mobile applications.'

🔍 parse_program: starting at line 6233: 'C773 - User Interface Design - This course covers tools and techniques employed in user interface design including web and mobile applications.'
  ➜ Title candidate: 'C773 - User Interface Design - This course covers tools and techniques employed in user interface design including web and mobile applications.'
  ❌ Invalid title line: 'C773 - User Interface Design - This course covers tools and techniques employed in user interface design including web and mobile applications.'
  ➜ Parsing at 6234: 'Concepts of clarity, usability and detectability are included in this course as well as other design elements such as color schemes, typography, and'

🔍 parse_program: starting at line 6234: 'Concepts of clarity, usability and detectability are included in this course as well as other design elements such as color schemes, typography, and'
  ➜ Title candidate: 'Concepts of clarity, usability and detectability are included in this course as well as other design elements such as color schemes, typography, and'
  ❌ Invalid title line: 'Concepts of clarity, usability and detectability are included in this course as well as other design elements such as color schemes, typography, and'
  ➜ Parsing at 6235: 'layout . Techniques like wireframing, usability testing, and SEO optimization are also covered. This course prepares students for the CIW User'

🔍 parse_program: starting at line 6235: 'layout . Techniques like wireframing, usability testing, and SEO optimization are also covered. This course prepares students for the CIW User'
  ➜ Title candidate: 'layout . Techniques like wireframing, usability testing, and SEO optimization are also covered. This course prepares students for the CIW User'
  ❌ Invalid title line: 'layout . Techniques like wireframing, usability testing, and SEO optimization are also covered. This course prepares students for the CIW User'
  ➜ Parsing at 6236: 'Interface Designer certification.'

🔍 parse_program: starting at line 6236: 'Interface Designer certification.'
  ➜ Title candidate: 'Interface Designer certification.'
  ❌ Invalid title line: 'Interface Designer certification.'
  ➜ Parsing at 6237: 'C777 - Web Development Applications - This course prepares students for the CIW Advanced HTML5 and CSS3 Specialist certification exam. This'

🔍 parse_program: starting at line 6237: 'C777 - Web Development Applications - This course prepares students for the CIW Advanced HTML5 and CSS3 Specialist certification exam. This'
  ➜ Title candidate: 'C777 - Web Development Applications - This course prepares students for the CIW Advanced HTML5 and CSS3 Specialist certification exam. This'
  ❌ Invalid title line: 'C777 - Web Development Applications - This course prepares students for the CIW Advanced HTML5 and CSS3 Specialist certification exam. This'
  ➜ Parsing at 6238: 'course builds upon a student's manual coding skills by teaching how to develop web documents and pages using the Web Development Trifecta:'

🔍 parse_program: starting at line 6238: 'course builds upon a student's manual coding skills by teaching how to develop web documents and pages using the Web Development Trifecta:'
  ➜ Title candidate: 'course builds upon a student's manual coding skills by teaching how to develop web documents and pages using the Web Development Trifecta:'
  ❌ Invalid title line: 'course builds upon a student's manual coding skills by teaching how to develop web documents and pages using the Web Development Trifecta:'
  ➜ Parsing at 6239: 'HTML5 (Hypertext Markup Language version 5) and CSS3 (Cascading Style Sheets version 3) and JavaScript. Students will utilize the skills learned'

🔍 parse_program: starting at line 6239: 'HTML5 (Hypertext Markup Language version 5) and CSS3 (Cascading Style Sheets version 3) and JavaScript. Students will utilize the skills learned'
  ➜ Title candidate: 'HTML5 (Hypertext Markup Language version 5) and CSS3 (Cascading Style Sheets version 3) and JavaScript. Students will utilize the skills learned'
  ❌ Invalid title line: 'HTML5 (Hypertext Markup Language version 5) and CSS3 (Cascading Style Sheets version 3) and JavaScript. Students will utilize the skills learned'
  ➜ Parsing at 6240: 'in this course to create web documents and pages that easily adapt to display on both traditional and mobile devices. In addition, students will learn'

🔍 parse_program: starting at line 6240: 'in this course to create web documents and pages that easily adapt to display on both traditional and mobile devices. In addition, students will learn'
  ➜ Title candidate: 'in this course to create web documents and pages that easily adapt to display on both traditional and mobile devices. In addition, students will learn'
  ❌ Invalid title line: 'in this course to create web documents and pages that easily adapt to display on both traditional and mobile devices. In addition, students will learn'
  ➜ Parsing at 6241: 'techniques for code validation and testing, form creation, inline form field validation, and mobile design for browsers and apps, including Responsive'

🔍 parse_program: starting at line 6241: 'techniques for code validation and testing, form creation, inline form field validation, and mobile design for browsers and apps, including Responsive'
  ➜ Title candidate: 'techniques for code validation and testing, form creation, inline form field validation, and mobile design for browsers and apps, including Responsive'
  ❌ Invalid title line: 'techniques for code validation and testing, form creation, inline form field validation, and mobile design for browsers and apps, including Responsive'
  ➜ Parsing at 6242: 'Web Design (RWD).'

🔍 parse_program: starting at line 6242: 'Web Design (RWD).'
  ➜ Title candidate: 'Web Design (RWD).'
  ❌ Invalid title line: 'Web Design (RWD).'
  ➜ Parsing at 6243: 'C779 - Web Development Foundations -'

🔍 parse_program: starting at line 6243: 'C779 - Web Development Foundations -'
  ➜ Title candidate: 'C779 - Web Development Foundations -'
  ❌ Invalid title line: 'C779 - Web Development Foundations -'
  ➜ Parsing at 6244: 'This course prepares students for the CIW Site Development Associate certification. The course introduces students to web design and development'

🔍 parse_program: starting at line 6244: 'This course prepares students for the CIW Site Development Associate certification. The course introduces students to web design and development'
  ➜ Title candidate: 'This course prepares students for the CIW Site Development Associate certification. The course introduces students to web design and development'
  ❌ Invalid title line: 'This course prepares students for the CIW Site Development Associate certification. The course introduces students to web design and development'
  ➜ Parsing at 6245: 'by presenting them with HTML5 and CSS, the foundational languages of the web, by reviewing media strategies, and by using tools and techniques'

🔍 parse_program: starting at line 6245: 'by presenting them with HTML5 and CSS, the foundational languages of the web, by reviewing media strategies, and by using tools and techniques'
  ➜ Title candidate: 'by presenting them with HTML5 and CSS, the foundational languages of the web, by reviewing media strategies, and by using tools and techniques'
  ❌ Invalid title line: 'by presenting them with HTML5 and CSS, the foundational languages of the web, by reviewing media strategies, and by using tools and techniques'
  ➜ Parsing at 6246: 'commonly employed in web development.'

🔍 parse_program: starting at line 6246: 'commonly employed in web development.'
  ➜ Title candidate: 'commonly employed in web development.'
  ❌ Invalid title line: 'commonly employed in web development.'
  ➜ Parsing at 6247: 'C783 - Project Management - In this course, students examine project management concepts based on the five process groups and ten knowledge'

🔍 parse_program: starting at line 6247: 'C783 - Project Management - In this course, students examine project management concepts based on the five process groups and ten knowledge'
  ➜ Title candidate: 'C783 - Project Management - In this course, students examine project management concepts based on the five process groups and ten knowledge'
  ❌ Invalid title line: 'C783 - Project Management - In this course, students examine project management concepts based on the five process groups and ten knowledge'
  ➜ Parsing at 6248: 'areas identified in the Project Management Body of Knowledge (PMBOK) Guide in preparation for completing the PMI Certified Associate in Project'

🔍 parse_program: starting at line 6248: 'areas identified in the Project Management Body of Knowledge (PMBOK) Guide in preparation for completing the PMI Certified Associate in Project'
  ➜ Title candidate: 'areas identified in the Project Management Body of Knowledge (PMBOK) Guide in preparation for completing the PMI Certified Associate in Project'
  ❌ Invalid title line: 'areas identified in the Project Management Body of Knowledge (PMBOK) Guide in preparation for completing the PMI Certified Associate in Project'
  ➜ Parsing at 6249: 'Management (CAPM) certification exam.'

🔍 parse_program: starting at line 6249: 'Management (CAPM) certification exam.'
  ➜ Title candidate: 'Management (CAPM) certification exam.'
  ❌ Invalid title line: 'Management (CAPM) certification exam.'
  ➜ Parsing at 6250: 'C784 - Applied Healthcare Statistics - Applied Healthcare Probability and Statistics is designed to help you develop competence in the fundamental'

🔍 parse_program: starting at line 6250: 'C784 - Applied Healthcare Statistics - Applied Healthcare Probability and Statistics is designed to help you develop competence in the fundamental'
  ➜ Title candidate: 'C784 - Applied Healthcare Statistics - Applied Healthcare Probability and Statistics is designed to help you develop competence in the fundamental'
  ❌ Invalid title line: 'C784 - Applied Healthcare Statistics - Applied Healthcare Probability and Statistics is designed to help you develop competence in the fundamental'
  ➜ Parsing at 6251: 'concepts of basic mathematics, introductory algebra, and statistics and probability. These concepts include: basic arithmetic with fractions and signed'

🔍 parse_program: starting at line 6251: 'concepts of basic mathematics, introductory algebra, and statistics and probability. These concepts include: basic arithmetic with fractions and signed'
  ➜ Title candidate: 'concepts of basic mathematics, introductory algebra, and statistics and probability. These concepts include: basic arithmetic with fractions and signed'
  ❌ Invalid title line: 'concepts of basic mathematics, introductory algebra, and statistics and probability. These concepts include: basic arithmetic with fractions and signed'
  ➜ Parsing at 6252: 'numbers; introductory algebra and graphing; descriptive statistics; regression and correlation; and probability. Statistical data and probability are now'

🔍 parse_program: starting at line 6252: 'numbers; introductory algebra and graphing; descriptive statistics; regression and correlation; and probability. Statistical data and probability are now'
  ➜ Title candidate: 'numbers; introductory algebra and graphing; descriptive statistics; regression and correlation; and probability. Statistical data and probability are now'
  ❌ Invalid title line: 'numbers; introductory algebra and graphing; descriptive statistics; regression and correlation; and probability. Statistical data and probability are now'
  ➜ Parsing at 6253: 'commonplace in the healthcare field. You need to be able to make informed decisions about which studies and results are valid, which are not, and'

🔍 parse_program: starting at line 6253: 'commonplace in the healthcare field. You need to be able to make informed decisions about which studies and results are valid, which are not, and'
  ➜ Title candidate: 'commonplace in the healthcare field. You need to be able to make informed decisions about which studies and results are valid, which are not, and'
  ❌ Invalid title line: 'commonplace in the healthcare field. You need to be able to make informed decisions about which studies and results are valid, which are not, and'
  ➜ Parsing at 6254: 'how those results affect your decisions. This course will give you background in what constitutes sound research design and how to appropriately'

🔍 parse_program: starting at line 6254: 'how those results affect your decisions. This course will give you background in what constitutes sound research design and how to appropriately'
  ➜ Title candidate: 'how those results affect your decisions. This course will give you background in what constitutes sound research design and how to appropriately'
  ❌ Invalid title line: 'how those results affect your decisions. This course will give you background in what constitutes sound research design and how to appropriately'
  ➜ Parsing at 6255: 'model phenomena using statistical data. Additionally, you will be able to calculate simple probabilities, especially based on events which occur in the'

🔍 parse_program: starting at line 6255: 'model phenomena using statistical data. Additionally, you will be able to calculate simple probabilities, especially based on events which occur in the'
  ➜ Title candidate: 'model phenomena using statistical data. Additionally, you will be able to calculate simple probabilities, especially based on events which occur in the'
  ❌ Invalid title line: 'model phenomena using statistical data. Additionally, you will be able to calculate simple probabilities, especially based on events which occur in the'
  ➜ Parsing at 6256: 'healthcare profession. This course will prepare you for your studies at WGU, as well as in the healthcare profession.'

🔍 parse_program: starting at line 6256: 'healthcare profession. This course will prepare you for your studies at WGU, as well as in the healthcare profession.'
  ➜ Title candidate: 'healthcare profession. This course will prepare you for your studies at WGU, as well as in the healthcare profession.'
  ❌ Invalid title line: 'healthcare profession. This course will prepare you for your studies at WGU, as well as in the healthcare profession.'
  ➜ Parsing at 6257: 'C785 - Biochemistry - Biochemistry covers the structure and function of the four major polymers produced by living organisms. These include nucleic'

🔍 parse_program: starting at line 6257: 'C785 - Biochemistry - Biochemistry covers the structure and function of the four major polymers produced by living organisms. These include nucleic'
  ➜ Title candidate: 'C785 - Biochemistry - Biochemistry covers the structure and function of the four major polymers produced by living organisms. These include nucleic'
  ❌ Invalid title line: 'C785 - Biochemistry - Biochemistry covers the structure and function of the four major polymers produced by living organisms. These include nucleic'
  ➜ Parsing at 6258: 'acids, proteins, carbohydrates, and lipids. This course focuses on application! Be sure to understand the underlying biochemistry in order to grasp how'

🔍 parse_program: starting at line 6258: 'acids, proteins, carbohydrates, and lipids. This course focuses on application! Be sure to understand the underlying biochemistry in order to grasp how'
  ➜ Title candidate: 'acids, proteins, carbohydrates, and lipids. This course focuses on application! Be sure to understand the underlying biochemistry in order to grasp how'
  ❌ Invalid title line: 'acids, proteins, carbohydrates, and lipids. This course focuses on application! Be sure to understand the underlying biochemistry in order to grasp how'
  ➜ Parsing at 6259: 'it is applied. By successfully completing this course, you will gain an introductory understanding of the chemicals and reactions that sustain life. You'

🔍 parse_program: starting at line 6259: 'it is applied. By successfully completing this course, you will gain an introductory understanding of the chemicals and reactions that sustain life. You'
  ➜ Title candidate: 'it is applied. By successfully completing this course, you will gain an introductory understanding of the chemicals and reactions that sustain life. You'
  ❌ Invalid title line: 'it is applied. By successfully completing this course, you will gain an introductory understanding of the chemicals and reactions that sustain life. You'
  ➜ Parsing at 6260: 'will also begin to see the importance of this subject matter to health.'

🔍 parse_program: starting at line 6260: 'will also begin to see the importance of this subject matter to health.'
  ➜ Title candidate: 'will also begin to see the importance of this subject matter to health.'
  ❌ Invalid title line: 'will also begin to see the importance of this subject matter to health.'
  ➜ Parsing at 6261: 'C787 - Health and Wellness Through Nutritional Science - Nutritional ignorance or misunderstandings are at the root of the health problems that'

🔍 parse_program: starting at line 6261: 'C787 - Health and Wellness Through Nutritional Science - Nutritional ignorance or misunderstandings are at the root of the health problems that'
  ➜ Title candidate: 'C787 - Health and Wellness Through Nutritional Science - Nutritional ignorance or misunderstandings are at the root of the health problems that'
  ❌ Invalid title line: 'C787 - Health and Wellness Through Nutritional Science - Nutritional ignorance or misunderstandings are at the root of the health problems that'
  ➜ Parsing at 6262: 'most Americans face today. Nurses need to be armed with the most current information available about nutrition science including how to understand'

🔍 parse_program: starting at line 6262: 'most Americans face today. Nurses need to be armed with the most current information available about nutrition science including how to understand'
  ➜ Title candidate: 'most Americans face today. Nurses need to be armed with the most current information available about nutrition science including how to understand'
  ❌ Invalid title line: 'most Americans face today. Nurses need to be armed with the most current information available about nutrition science including how to understand'
  ➜ Parsing at 6263: 'nutritional content of food, implications of exercise and activity on food consumption and weight management, and management of community or'

🔍 parse_program: starting at line 6263: 'nutritional content of food, implications of exercise and activity on food consumption and weight management, and management of community or'
  ➜ Title candidate: 'nutritional content of food, implications of exercise and activity on food consumption and weight management, and management of community or'
  ❌ Invalid title line: 'nutritional content of food, implications of exercise and activity on food consumption and weight management, and management of community or'
  ➜ Parsing at 6264: 'population specific nutritional challenges. The Nutrition for Contemporary Society course should prepare nurses to provide support, guidance and'

🔍 parse_program: starting at line 6264: 'population specific nutritional challenges. The Nutrition for Contemporary Society course should prepare nurses to provide support, guidance and'
  ➜ Title candidate: 'population specific nutritional challenges. The Nutrition for Contemporary Society course should prepare nurses to provide support, guidance and'
  ❌ Invalid title line: 'population specific nutritional challenges. The Nutrition for Contemporary Society course should prepare nurses to provide support, guidance and'
  ➜ Parsing at 6265: 'teaching about incorporation of sound nutritional principles into daily life for health promotion. This course covers the following concepts: nutrition to'

🔍 parse_program: starting at line 6265: 'teaching about incorporation of sound nutritional principles into daily life for health promotion. This course covers the following concepts: nutrition to'
  ➜ Title candidate: 'teaching about incorporation of sound nutritional principles into daily life for health promotion. This course covers the following concepts: nutrition to'
  ❌ Invalid title line: 'teaching about incorporation of sound nutritional principles into daily life for health promotion. This course covers the following concepts: nutrition to'
  ➜ Parsing at 6266: 'support wellness; healthy nutritional choices; nutrition and physical activity; nutrition through the lifecycle; safety and security of food; and nutrition and'

🔍 parse_program: starting at line 6266: 'support wellness; healthy nutritional choices; nutrition and physical activity; nutrition through the lifecycle; safety and security of food; and nutrition and'
  ➜ Title candidate: 'support wellness; healthy nutritional choices; nutrition and physical activity; nutrition through the lifecycle; safety and security of food; and nutrition and'
  ❌ Invalid title line: 'support wellness; healthy nutritional choices; nutrition and physical activity; nutrition through the lifecycle; safety and security of food; and nutrition and'
  ➜ Parsing at 6267: 'global health environments.'

🔍 parse_program: starting at line 6267: 'global health environments.'
  ➜ Title candidate: 'global health environments.'
  ❌ Invalid title line: 'global health environments.'
  ➜ Parsing at 6268: 'C790 - Foundations in Nursing Informatics - This course addresses the integration of technology to improve and support nursing practice. It'

🔍 parse_program: starting at line 6268: 'C790 - Foundations in Nursing Informatics - This course addresses the integration of technology to improve and support nursing practice. It'
  ➜ Title candidate: 'C790 - Foundations in Nursing Informatics - This course addresses the integration of technology to improve and support nursing practice. It'
  ❌ Invalid title line: 'C790 - Foundations in Nursing Informatics - This course addresses the integration of technology to improve and support nursing practice. It'
  ➜ Parsing at 6269: 'provides nurses with a foundational understanding of nursing informatics theory, practice, and applications. Topics include the role of nursing in'

🔍 parse_program: starting at line 6269: 'provides nurses with a foundational understanding of nursing informatics theory, practice, and applications. Topics include the role of nursing in'
  ➜ Title candidate: 'provides nurses with a foundational understanding of nursing informatics theory, practice, and applications. Topics include the role of nursing in'
  ❌ Invalid title line: 'provides nurses with a foundational understanding of nursing informatics theory, practice, and applications. Topics include the role of nursing in'
  ➜ Parsing at 6270: 'informatics; use of computer technology for clinical documentation, communication, and workflows; problem identification; project implementation; and'

🔍 parse_program: starting at line 6270: 'informatics; use of computer technology for clinical documentation, communication, and workflows; problem identification; project implementation; and'
  ➜ Title candidate: 'informatics; use of computer technology for clinical documentation, communication, and workflows; problem identification; project implementation; and'
  ❌ Invalid title line: 'informatics; use of computer technology for clinical documentation, communication, and workflows; problem identification; project implementation; and'
  ➜ Parsing at 6271: 'best practices.'

🔍 parse_program: starting at line 6271: 'best practices.'
  ➜ Title candidate: 'best practices.'
  ❌ Invalid title line: 'best practices.'
  ➜ Parsing at 6272: 'C791 - Advanced Information Management and the Application of Technology - In this course you will examine complementary roles of master’s'

🔍 parse_program: starting at line 6272: 'C791 - Advanced Information Management and the Application of Technology - In this course you will examine complementary roles of master’s'
  ➜ Title candidate: 'C791 - Advanced Information Management and the Application of Technology - In this course you will examine complementary roles of master’s'
  ❌ Invalid title line: 'C791 - Advanced Information Management and the Application of Technology - In this course you will examine complementary roles of master’s'
  ➜ Parsing at 6273: 'level-prepared nursing information technology professionals, including informaticists and quality officers. You will analyze current and emerging'

🔍 parse_program: starting at line 6273: 'level-prepared nursing information technology professionals, including informaticists and quality officers. You will analyze current and emerging'
  ➜ Title candidate: 'level-prepared nursing information technology professionals, including informaticists and quality officers. You will analyze current and emerging'
  ❌ Invalid title line: 'level-prepared nursing information technology professionals, including informaticists and quality officers. You will analyze current and emerging'
  ➜ Parsing at 6274: 'technologies; data management; ethical legal and regulatory best-practice evidence; and bio-health informatics using decision-making support'

🔍 parse_program: starting at line 6274: 'technologies; data management; ethical legal and regulatory best-practice evidence; and bio-health informatics using decision-making support'
  ➜ Title candidate: 'technologies; data management; ethical legal and regulatory best-practice evidence; and bio-health informatics using decision-making support'
  ❌ Invalid title line: 'technologies; data management; ethical legal and regulatory best-practice evidence; and bio-health informatics using decision-making support'
  ➜ Parsing at 6275: 'systems at the point of care.'

🔍 parse_program: starting at line 6275: 'systems at the point of care.'
  ➜ Title candidate: 'systems at the point of care.'
  ❌ Invalid title line: 'systems at the point of care.'
  ➜ Parsing at 6276: 'C792 - Data Modeling and Database Management Systems - This graduate course is designed to engage the student in planning, analyzing, and'

🔍 parse_program: starting at line 6276: 'C792 - Data Modeling and Database Management Systems - This graduate course is designed to engage the student in planning, analyzing, and'
  ➜ Title candidate: 'C792 - Data Modeling and Database Management Systems - This graduate course is designed to engage the student in planning, analyzing, and'
  ❌ Invalid title line: 'C792 - Data Modeling and Database Management Systems - This graduate course is designed to engage the student in planning, analyzing, and'
  ➜ Parsing at 6277: 'designing a relational database management system (DBMS) for use by nurse administrators, clinicians, educators, and informaticists. This'

🔍 parse_program: starting at line 6277: 'designing a relational database management system (DBMS) for use by nurse administrators, clinicians, educators, and informaticists. This'
  ➜ Title candidate: 'designing a relational database management system (DBMS) for use by nurse administrators, clinicians, educators, and informaticists. This'
  ❌ Invalid title line: 'designing a relational database management system (DBMS) for use by nurse administrators, clinicians, educators, and informaticists. This'
  ➜ Parsing at 6278: 'experience will provide the knowledge needed to advocate for nursing informatics needs within the field of healthcare.'

🔍 parse_program: starting at line 6278: 'experience will provide the knowledge needed to advocate for nursing informatics needs within the field of healthcare.'
  ➜ Title candidate: 'experience will provide the knowledge needed to advocate for nursing informatics needs within the field of healthcare.'
  ❌ Invalid title line: 'experience will provide the knowledge needed to advocate for nursing informatics needs within the field of healthcare.'
  ➜ Parsing at 6279: 'C793 - Nursing Informatics Field Experience - In the Nursing Informatics Field Experience, you will complete a hands-on field experience while'

🔍 parse_program: starting at line 6279: 'C793 - Nursing Informatics Field Experience - In the Nursing Informatics Field Experience, you will complete a hands-on field experience while'
  ➜ Title candidate: 'C793 - Nursing Informatics Field Experience - In the Nursing Informatics Field Experience, you will complete a hands-on field experience while'
  ❌ Invalid title line: 'C793 - Nursing Informatics Field Experience - In the Nursing Informatics Field Experience, you will complete a hands-on field experience while'
  ➜ Parsing at 6280: 'working with a preceptor in a setting relevant to your professional situation and nursing informatics. Today’s rapidly changing health delivery system'

🔍 parse_program: starting at line 6280: 'working with a preceptor in a setting relevant to your professional situation and nursing informatics. Today’s rapidly changing health delivery system'
  ➜ Title candidate: 'working with a preceptor in a setting relevant to your professional situation and nursing informatics. Today’s rapidly changing health delivery system'
  ❌ Invalid title line: 'working with a preceptor in a setting relevant to your professional situation and nursing informatics. Today’s rapidly changing health delivery system'
  ➜ Parsing at 6281: 'requires nurse informaticists to be prepared to effectively lead change and facilitate learning that is dynamic and meets the needs of a diverse student'

🔍 parse_program: starting at line 6281: 'requires nurse informaticists to be prepared to effectively lead change and facilitate learning that is dynamic and meets the needs of a diverse student'
  ➜ Title candidate: 'requires nurse informaticists to be prepared to effectively lead change and facilitate learning that is dynamic and meets the needs of a diverse student'
  ❌ Invalid title line: 'requires nurse informaticists to be prepared to effectively lead change and facilitate learning that is dynamic and meets the needs of a diverse student'
  ➜ Parsing at 6282: 'and professional nursing population. To help you develop competency in this area, you will apply methods and solutions to support clinical decisions'

🔍 parse_program: starting at line 6282: 'and professional nursing population. To help you develop competency in this area, you will apply methods and solutions to support clinical decisions'
  ➜ Title candidate: 'and professional nursing population. To help you develop competency in this area, you will apply methods and solutions to support clinical decisions'
  ❌ Invalid title line: 'and professional nursing population. To help you develop competency in this area, you will apply methods and solutions to support clinical decisions'
  ➜ Parsing at 6283: 'and improve health outcomes by designing data collection instruments, developing a database management system and analyzing data using'

🔍 parse_program: starting at line 6283: 'and improve health outcomes by designing data collection instruments, developing a database management system and analyzing data using'
  ➜ Title candidate: 'and improve health outcomes by designing data collection instruments, developing a database management system and analyzing data using'
  ❌ Invalid title line: 'and improve health outcomes by designing data collection instruments, developing a database management system and analyzing data using'
  ➜ Parsing at 6284: 'statistical and geospatial techniques in a simulated environment.'

🔍 parse_program: starting at line 6284: 'statistical and geospatial techniques in a simulated environment.'
  ➜ Title candidate: 'statistical and geospatial techniques in a simulated environment.'
  ❌ Invalid title line: 'statistical and geospatial techniques in a simulated environment.'
  ➜ Parsing at 6285: 'C794 - Nursing Informatics Capstone - The Nursing Informatics Capstone is the final leg in your journey to graduation. During this course, you will'

🔍 parse_program: starting at line 6285: 'C794 - Nursing Informatics Capstone - The Nursing Informatics Capstone is the final leg in your journey to graduation. During this course, you will'
  ➜ Title candidate: 'C794 - Nursing Informatics Capstone - The Nursing Informatics Capstone is the final leg in your journey to graduation. During this course, you will'
  ❌ Invalid title line: 'C794 - Nursing Informatics Capstone - The Nursing Informatics Capstone is the final leg in your journey to graduation. During this course, you will'
  ➜ Parsing at 6286: 'present evidence of the knowledge and skills you gained during this program by completing a comprehensive evaluation of a health information'

🔍 parse_program: starting at line 6286: 'present evidence of the knowledge and skills you gained during this program by completing a comprehensive evaluation of a health information'
  ➜ Title candidate: 'present evidence of the knowledge and skills you gained during this program by completing a comprehensive evaluation of a health information'
  ❌ Invalid title line: 'present evidence of the knowledge and skills you gained during this program by completing a comprehensive evaluation of a health information'
  ➜ Parsing at 6287: 'system. You will develop a multimedia presentation that reviews and reflects on your learning experiences during the Nursing Informatics program.'

🔍 parse_program: starting at line 6287: 'system. You will develop a multimedia presentation that reviews and reflects on your learning experiences during the Nursing Informatics program.'
  ➜ Title candidate: 'system. You will develop a multimedia presentation that reviews and reflects on your learning experiences during the Nursing Informatics program.'
  ❌ Invalid title line: 'system. You will develop a multimedia presentation that reviews and reflects on your learning experiences during the Nursing Informatics program.'
  ➜ Parsing at 6288: 'This scholarly presentation is a synthesis that illustrates the acquisition of nursing informatics knowledge, skills, and competencies. Your final'

🔍 parse_program: starting at line 6288: 'This scholarly presentation is a synthesis that illustrates the acquisition of nursing informatics knowledge, skills, and competencies. Your final'
  ➜ Title candidate: 'This scholarly presentation is a synthesis that illustrates the acquisition of nursing informatics knowledge, skills, and competencies. Your final'
  ❌ Invalid title line: 'This scholarly presentation is a synthesis that illustrates the acquisition of nursing informatics knowledge, skills, and competencies. Your final'
  ➜ Parsing at 6289: 'presentation should demonstrate how the integration of nursing informatics facilitates the transformation of data and information to knowledge and'

🔍 parse_program: starting at line 6289: 'presentation should demonstrate how the integration of nursing informatics facilitates the transformation of data and information to knowledge and'
  ➜ Title candidate: 'presentation should demonstrate how the integration of nursing informatics facilitates the transformation of data and information to knowledge and'
  ❌ Invalid title line: 'presentation should demonstrate how the integration of nursing informatics facilitates the transformation of data and information to knowledge and'
  ➜ Parsing at 6290: 'wisdom in a nursing practice. The presentation will be developed using the best practices for narrated PowerPoint presentations (see the MSN'

🔍 parse_program: starting at line 6290: 'wisdom in a nursing practice. The presentation will be developed using the best practices for narrated PowerPoint presentations (see the MSN'
  ➜ Title candidate: 'wisdom in a nursing practice. The presentation will be developed using the best practices for narrated PowerPoint presentations (see the MSN'
  ❌ Invalid title line: 'wisdom in a nursing practice. The presentation will be developed using the best practices for narrated PowerPoint presentations (see the MSN'
  ➜ Parsing at 6291: 'Capstone Presentation section for details).'

🔍 parse_program: starting at line 6291: 'Capstone Presentation section for details).'
  ➜ Title candidate: 'Capstone Presentation section for details).'
  ❌ Invalid title line: 'Capstone Presentation section for details).'
  ➜ Parsing at 6292: 'C797 - Data Science and Analytics - This course addresses the interdisciplinary and emerging field of data science in healthcare. Students will learn'

🔍 parse_program: starting at line 6292: 'C797 - Data Science and Analytics - This course addresses the interdisciplinary and emerging field of data science in healthcare. Students will learn'
  ➜ Title candidate: 'C797 - Data Science and Analytics - This course addresses the interdisciplinary and emerging field of data science in healthcare. Students will learn'
  ❌ Invalid title line: 'C797 - Data Science and Analytics - This course addresses the interdisciplinary and emerging field of data science in healthcare. Students will learn'
  ➜ Parsing at 6293: 'to combine tools and techniques from statistics, computer science, data visualization, and the social sciences to solve problems using data. Topics'

🔍 parse_program: starting at line 6293: 'to combine tools and techniques from statistics, computer science, data visualization, and the social sciences to solve problems using data. Topics'
  ➜ Title candidate: 'to combine tools and techniques from statistics, computer science, data visualization, and the social sciences to solve problems using data. Topics'
  ❌ Invalid title line: 'to combine tools and techniques from statistics, computer science, data visualization, and the social sciences to solve problems using data. Topics'
  ➜ Parsing at 6294: 'include data analysis, database management, inferential and descriptive statistics, statistical inference, and process improvement.'

🔍 parse_program: starting at line 6294: 'include data analysis, database management, inferential and descriptive statistics, statistical inference, and process improvement.'
  ➜ Title candidate: 'include data analysis, database management, inferential and descriptive statistics, statistical inference, and process improvement.'
  ❌ Invalid title line: 'include data analysis, database management, inferential and descriptive statistics, statistical inference, and process improvement.'
  ➜ Parsing at 6295: '© Western Governors University 7/19/17 165'

🔍 parse_program: starting at line 6295: '© Western Governors University 7/19/17 165'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'C798 - Informatics System Analysis and Design - In Informatics System Analysis and Design, a broad understanding of data systems is covered to'
  ➜ Skipping stray line: 'build upon the Foundations in Nursing Informatics course. The importance of effective interoperability, functionality, data access, and user satisfaction'
  ➜ Skipping stray line: 'are addressed. The student will be analyzing reports and integrating federal regulations, research principles, and principles of environmental health in'
  ➜ Skipping stray line: 'the construction of a real-world systems analysis and design project. This course will be directly applicable to healthcare settings as electronic records'
  ➜ Skipping stray line: 'management has become compulsory for healthcare providers. All of the information in this course will be directly tied to the delivery of quality patient'
  ➜ Skipping stray line: 'care and patient safety.'
  ➜ Skipping stray line: 'C799 - Healthcare Ecosystems - Healthcare Ecosystems explores the history and state of healthcare organizations in an ever-changing'
  ➜ Skipping stray line: 'environment. This course covers how agencies influence healthcare delivery through legal, licensure, certification, and accreditation standards. The'
  ➜ Skipping stray line: 'course will also discuss how new technologies and trends keep healthcare delivery innovative and current.'
  ➜ Skipping stray line: 'C800 - Introduction to Healthcare IT Systems - Introduction to Healthcare IT Systems introduces students to information technology as a discipline.'
  ➜ Skipping stray line: 'This course also exposes students to the various roles and functions of the health information manager to support the business of healthcare. There'
  ➜ Skipping stray line: 'are no prerequisites for this course.'
  ➜ Skipping stray line: 'C801 - Health Information Law and Regulations - Health Information Law and Regulations prepares students to manage health information in'
  ➜ Skipping stray line: 'compliance with legal guidelines and teaches how to respond to questions and challenges when legal issues occur. This course presents the types of'
  ➜ Skipping stray line: 'situations occurring in health information management that could result in ethical dilemmas and establishes a foundation for work based on legal and'
  ➜ Skipping stray line: 'ethical guidelines.'
  ➜ Skipping stray line: 'C802 - Foundations in Healthcare Information Management - Foundations in Healthcare Information applies theories from business, IT,'
  ➜ Skipping stray line: 'management, medicine, and consumer-centered healthcare skills. Students will learn to evaluate and analyze health information systems for'
  ➜ Skipping stray line: 'implementation in health information management. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C803 - Data Analytics and Information Governance - Data Analytics and Information Governance explores the structure, methods, and approaches'
  ➜ Skipping stray line: 'for using health information in the healthcare industry. By focusing on quality data collection, analytics, and industry regulations, students will examine'
  ➜ Skipping stray line: 'tools that ensure quality data collection as well as use data to improve quality of care. This course has no prerequisites.'
  ➜ Skipping stray line: 'C804 - Medical Terminology - Medical Terminology focuses on the basic components of medical terminology and how terminology is used when'
  ➜ Skipping stray line: 'discussing various body structures and systems. Proper use of medical terminology is critical for accurate and clear communication among medical'
  ➜ Skipping stray line: 'staff, health professionals, and patients. In addition to the systems of the body, this course will discuss immunity, infections, mental health, and cancer.'
  ➜ Skipping stray line: 'C805 - Pathophysiology - Pathophysiology is an overview of the pathology and treatment of diseases in the human body and its systems. This'
  ➜ Skipping stray line: 'course will explain the processes in the body that result in the signs and symptoms of disease, as well as therapeutic procedures in managing or'
  ➜ Skipping stray line: 'curing the disease. The content draws on a knowledge of anatomy and physiology to understand how diseases manifest themselves and how they'
  ➜ Skipping stray line: 'affect the body.'
  ➜ Skipping stray line: 'C806 - Introduction to Pharmacology - Introduction to Pharmacology provides information about drug development and approvals, pharmaceutical'
  ➜ Skipping stray line: 'classifications, metabolism, and the effect of drugs on body systems. The course will introduce advancements in pharmaceutical technology,'
  ➜ Skipping stray line: 'regulatory requirements within electronic health record systems, and the financial implications of pharmaceutical coding and billing. This course has no'
  ➜ Skipping stray line: 'prerequisites.'
  ➜ Skipping stray line: 'C807 - Healthcare Compliance - Healthcare Compliance examines the role of the coding professional within healthcare information management.'
  ➜ Skipping stray line: 'The course covers compliance plans, issues that arise with noncompliance, and management of internal and external audits.'
  ➜ Skipping stray line: 'C808 - Classification Systems - Classification Systems provides a comprehensive approach to learning about medical coding classification, coding'
  ➜ Skipping stray line: 'audits and quality standards. Students will be exposed to electronic health record systems and leadership principles as they relate to management of'
  ➜ Skipping stray line: 'ICD and CPT codes. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C810 - Foundations in Healthcare Data Management - Foundations in Healthcare Data Management introduces students to the concepts and'
  ➜ Skipping stray line: 'terminology used in health data and health information management. This course teaches students how to apply data management and governance'
  ➜ Skipping stray line: 'principles in the healthcare environment. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C811 - Healthcare Financial Resource Management - Healthcare Financial Resource Management examines financial practices within healthcare'
  ➜ Skipping stray line: 'industries to promote effective management at department and organization levels. Focusing on financial processes associated with facility operations'
  ➜ Skipping stray line: 'in the healthcare field, this course will analyze the impact of strategic financial planning and regulatory control processes. This course has no'
  ➜ Skipping stray line: 'prerequisites.'
  ➜ Skipping stray line: 'C812 - Healthcare Reimbursement - Healthcare Reimbursement explores financial practices within the healthcare industry as they relate to'
  ➜ Skipping stray line: 'reimbursement policies. This course identifies how reimbursement systems impact the revenue cycle and a health information manager's role. This'
  ➜ Skipping stray line: 'course has no prerequisites.'
  ➜ Skipping stray line: 'C813 - Healthcare Statistics and Research - Healthcare Statistics and Research explores the use of statistical data to support process improvement'
  ➜ Skipping stray line: 'through health information research. Health information management (HIM) professionals use information systems to gather, analyze, and present'
  ➜ Skipping stray line: 'data in response to administrative and clinical needs. This course has no prerequisites.'
  ➜ Skipping stray line: 'C815 - Quality and Performance Management and Methods - Quality and Performance Management and Methods examines quality initiatives'
  ➜ Skipping stray line: 'within healthcare. Quality issues cover human resource management, employee performance and patient safety. This course focuses on quality'
  ➜ Skipping stray line: 'improvement initiatives and performance improvement with the health information management perspective.'
  ➜ Skipping stray line: 'C816 - Healthcare System Applications - Healthcare System Applications introduces students to information systems. This course includes'
  ➜ Skipping stray line: 'important topics related to management of information systems (MIS), such as system development and business continuity. The course also provides'
  ➜ Skipping stray line: 'an overview of management tools and issue tracking systems. This course has no prerequisites.'
  ➜ Skipping stray line: 'C818 - Health Information Management Capstone - tbd'
  ➜ Skipping stray line: 'C820 - Professional Leadership and Communication for Healthcare - The Leadership and Communication course is designed to help students'
  ➜ Skipping stray line: 'prepare for success in the online environment at Western Governors University and beyond. Student success starts with the social support and self-'
  ➜ Skipping stray line: 'reflective awareness that will prepare students to weather the challenges of academic programs. In this course students will participate in group'
  ➜ Skipping stray line: 'activities and complete a number of individual assignments. The group activities are aimed at finding support and insight from other students. The'
  ➜ Skipping stray line: 'assignments are intended to give the student an opportunity to reflect about where they are and where they would like to be. The activities in each'
  ➜ Skipping stray line: 'group meeting are designed to give students several tools they can use to achieve success. This course is designed as a eight-part intensive learning'
  ➜ Skipping stray line: 'experience. Students will attend eight group meetings during the term. At each meeting students will engage in activities that help them understand'
  ➜ Skipping stray line: 'their own educational journey and find support and inspiration in the journey of others.'
  ➜ Skipping stray line: 'C821 - Nursing Education Field Experience - Nurse educators teach the next generation of nurses, in academic and clinical settings. They must be'
  ➜ Skipping stray line: 'licensed to practice nursing and have considerable hands-on nursing experience, as well as advanced training and education. The Nursing Education'
  ➜ Skipping stray line: 'Field Experience provides the graduate student with an opportunity to work collaboratively within the organization where he/she is employed to'
  ➜ Skipping stray line: 'address an identified nursing problem, need, or gap in current practices. Students then work to promote a practice change, quality improvement, or'
  ➜ Skipping stray line: 'innovation that is based on the existing evidence and best practices.'
  ➜ Skipping stray line: 'C822 - Nurse Educator Capstone - The capstone is a scholarly project that addresses an issue, need, gap or opportunity resulting from an identified'
  ➜ Skipping stray line: 'in nursing education or healthcare need. The capstone project provides the opportunity for the graduate nursing student to demonstrate competency'
  ➜ Skipping stray line: 'through design, application and evaluation of advanced nursing knowledge and higher level leadership skills for ultimately improving health outcomes'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 166'
  ➜ Skipping stray line: 'C823 - Nursing Leadership and Management Field Experience - Today’s rapidly changing healthcare delivery environment requires nurse'
  ➜ Skipping stray line: 'executives to effectively lead change to achieve organization goals and improvements. Registered nurses needs to hold an active nursing license and'
  ➜ Skipping stray line: 'have considerable clinical experience and education to become a nurse leader or manager. The Nursing Leadership and Management Field'
  ➜ Skipping stray line: 'Experience provides the graduate student with an opportunity to work collaboratively within the organization where he/she is employed to address an'
  ➜ Skipping stray line: 'identified nursing problem, need, or gap in current practices. Students then work to promote a practice change, quality improvement, or innovation that'
  ➜ Skipping stray line: 'is based on the existing evidence and best practices.'
  ➜ Skipping stray line: 'C824 - Nursing Leadership and Management Capstone - The Nursing Leadership and Management capstone course provides the student with an'
  ➜ Skipping stray line: 'opportunity to engage in a project that is actionable, relevant, highly collaborative, and based on real world experience. The capstone involves'
  ➜ Skipping stray line: 'development of a scholarly project that addresses a problem, need, or gap in current practices. The capstone project provides an opportunity for the'
  ➜ Skipping stray line: 'graduate nursing student to demonstrate competency through design, application, and evaluation of a planned practice change, quality improvement,'
  ➜ Skipping stray line: 'or innovation that is based on the existing evidence and best practices.'
  ➜ Skipping stray line: 'C825 - Introduction to Nursing Arts and Science - Intro to Nursing Clinical Skills is a skills lab section in which students will have the opportunity to'
  ➜ Skipping stray line: 'practice skills learned in didactic in a learning lab. Students will be introduced to and learn the fundamental skills of nursing, including: assessment,'
  ➜ Skipping stray line: 'vital signs, principles of safety, equipment uses, bathing, oral hygiene, perineal care, principles of asepsis, ambulating, transferring, range of motion,'
  ➜ Skipping stray line: 'restraints, fall prevention, and communication. Students successful in the lab assessment will be considered for admission to the BSRN program.'
  ➜ Skipping stray line: 'C826 - Community Health and Population-Focused Nursing - Community Health and Population-Focused Nursing will assist students in becoming'
  ➜ Skipping stray line: 'familiar with foundational theories and models of health promotion applicable to the community health nursing environment. Students will develop an'
  ➜ Skipping stray line: 'understanding of how policies and resources influence the health of populations. Focus is concentrated on learning the importance of a community'
  ➜ Skipping stray line: 'assessment to improve or resolve a community health issue. Students will be introduced to the relationships between cultures and communities and'
  ➜ Skipping stray line: 'the steps necessary to create community collaboration with the goal to improve or resolve community health issues in a variety of settings. Students'
  ➜ Skipping stray line: 'will gain a greater understanding of health systems in the United States, global health issues, quality-of-life issues, cultural influences, community'
  ➜ Skipping stray line: 'collaboration, and emergency preparedness.'
  ➜ Skipping stray line: 'C828 - Teacher Performance Assessment in Elementary Education - The Teacher Performance Assessment is a culmination of the wide variety of'
  ➜ Skipping stray line: 'skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a'
  ➜ Skipping stray line: 'collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C829 - Teacher Performance Assessment in Elementary and Special Education - The Teacher Performance Assessment is a culmination of the'
  ➜ Skipping stray line: 'wide variety of skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you'
  ➜ Skipping stray line: 'will showcase a collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C830 - Teacher Performance Assessment in Mathematics Education - The Teacher Performance Assessment is a culmination of the wide variety'
  ➜ Skipping stray line: 'of skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase'
  ➜ Skipping stray line: 'a collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C836 - Fundamentals of Information Security - This course lays the foundation for understanding terminology, principles, processes and best'
  ➜ Skipping stray line: 'practices of information security at local and global levels. It further provides an overview of basic security vulnerabilities and countermeasures for'
  ➜ Skipping stray line: 'protecting information assets through planning and administrative controls within an organization.'
  ➜ Skipping stray line: 'C837 - Managing Web Security - Almost all businesses and organizations require a web presence. The security needs, demands, and defenses for'
  ➜ Skipping stray line: 'these online environments differ from those of an isolated single computer or intranet. This course introduces best practices for preventing security'
  ➜ Skipping stray line: 'breaches by applying web security protocols, firewalls, and system configurations. This course prepares students for the Web Security Associate (CIW'
  ➜ Skipping stray line: 'WSA) certification exam.'
  ➜ Skipping stray line: 'C838 - Managing Cloud Security - Many of today’s companies and organizations have outsourced data management, availability, and operational'
  ➜ Skipping stray line: 'processes through cloud computing. In this course, students design solutions for cloud-based platforms and operations that maintain data availability'
  ➜ Skipping stray line: 'while protecting the confidentiality and integrity of information. This includes security controls, disaster recovery plans, and continuity management'
  ➜ Skipping stray line: 'plans that address physical, logical, and human factors. This course prepares students for the Certified Cloud Security Professional (ISC2 CCSP)'
  ➜ Skipping stray line: 'certification exam.'
  ➜ Skipping stray line: 'C839 - Introduction to Cryptography - This course provides students with knowledge of cryptographic algorithms, protocols, and their uses in the'
  ➜ Skipping stray line: 'protection of information in various states. This course prepares students for the Certified Encryption Specialist (EC-Council ECES) certification exam.'
  ➜ Skipping stray line: 'C840 - Digital Forensics in Cybersecurity - Digital forensics, the science of investigating cybercrimes, seeks evidence that reveals who, what, when,'
  ➜ Skipping stray line: 'where, and how threats compromise information. This course examines the relationships between incident categories, evidence handling, and incident'
  ➜ Skipping stray line: 'management. Students identify consequences associated with cyber threats and security laws using a variety of tools to recognize and recover from'
  ➜ Skipping stray line: 'unauthorized, malicious activities.'
  ➜ Skipping stray line: 'C841 - Legal Issues in Information Security - Security information professionals have the role and responsibility for knowing and applying ethical'
  ➜ Skipping stray line: 'and legal principles and processes that define specific needs and demands to assure data integrity within an organization. This course addresses the'
  ➜ Skipping stray line: 'laws, regulations, authorities, and directives that inform the development of operational policies, best practices, and training to assure legal'
  ➜ Skipping stray line: 'compliance and to minimize internal and external threats. Students analyze legal constraints and liability concerns that threaten information security'
  ➜ Skipping stray line: 'within an organization and develop disaster recovery plans to assure business continuity.'
  ➜ Skipping stray line: 'C842 - Cyber Defense and Countermeasures - Traditional defenses such as firewalls, security protocols, and encryption sometimes fail to stop'
  ➜ Skipping stray line: 'attackers determined to access and compromise data. This course provides the fundamental skills to handle and respond to the computer security'
  ➜ Skipping stray line: 'incidents in an information system. The course addresses various underlying principles and techniques for detecting and responding to current and'
  ➜ Skipping stray line: 'emerging computer security threats. Students learn how to handle various types of incidents, risk assessment methodologies, and various laws and'
  ➜ Skipping stray line: 'policy related to incident handling. This course prepares students for the Certified Incident Handler (EC-Council ECIH) certification exam.'
  ➜ Skipping stray line: 'C843 - Managing Information Security - This course expands on fundamentals of information security by providing an in-depth analysis of the'
  ➜ Skipping stray line: 'relationship between an information security program and broader business goals and objectives. Students develop knowledge and experience in the'
  ➜ Skipping stray line: 'development and management of an information security program essential to ongoing education, career progression, and value delivery to'
  ➜ Skipping stray line: 'enterprises. Students apply best practices to develop an information security governance framework, analyze mitigation in the context of compliance'
  ➜ Skipping stray line: 'requirements, align security programs with security strategies and best practices, and recommend procedures for managing security strategies that'
  ➜ Skipping stray line: 'minimize risk to an organization.'
  ➜ Skipping stray line: 'C844 - Emerging Technologies in Cybersecurity - The continual evolution of technology means that cybersecurity professionals must be able to'
  ➜ Skipping stray line: 'analyze and evaluate new technologies in information security such as wireless, mobile, and internet technologies. Students review the adoption'
  ➜ Skipping stray line: 'process which prepares an organization for the risks and challenges of implementing new technologies. This course focuses on comparison of'
  ➜ Skipping stray line: 'evolving technologies to address the security requirements of an organization. Students learn underlying principles critical to the operation of secure'
  ➜ Skipping stray line: 'networks and adoption of new technologies.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 167'
  ➜ Skipping stray line: 'C845 - Information Systems Security - IT security professionals must be prepared for the operational demands and responsibilities of security'
  ➜ Skipping stray line: 'practitioners, including authentication, security testing, intrusion detection and prevention, incident response and recovery, attacks and'
  ➜ Skipping stray line: 'countermeasures, cryptography, and malicious code countermeasures. This course provides a comprehensive, up-to-date global body of knowledge'
  ➜ Skipping stray line: 'that ensures students have the right information security knowledge and skills to be successful in IT operational roles to mitigate security concerns and'
  ➜ Skipping stray line: 'guard against the impact of malicious activity. Students demonstrate how to manage and restrict access control systems; administer policies,'
  ➜ Skipping stray line: 'procedures, and guidelines that are ethical and compliant with laws and regulations; implement risk management and incident handling processes;'
  ➜ Skipping stray line: 'execute cryptographic systems to protect data; manage network security; and analyze common attack vectors and countermeasures to assure'
  ➜ Skipping stray line: 'information integrity and confidentiality in various systems. This course prepares students for the Systems Security Certified Practitioner (ISC2 SSCP)'
  ➜ Skipping stray line: 'certification exam.'
  ➜ Skipping stray line: 'C846 - Business of IT - Applications - Business of IT – Applications examines Information Technology Infrastructure Library ( ITIL®) terminology,'
  ➜ Skipping stray line: 'structure, policies, and concepts. Focusing on the management of Information Technology (IT) infrastructure, development, and operations, students'
  ➜ Skipping stray line: 'will explore the core principles of ITIL practices for service management to prepare them for careers as IT professionals, business managers, and'
  ➜ Skipping stray line: 'business process owners. This course has no prerequisites.'
  ➜ Skipping stray line: 'C847 - Fundamentals of Diversity, Inclusion, and Exceptional Learners - Students will learn the history of inclusion and develop practical'
  ➜ Skipping stray line: 'strategies for modifying instruction, in accordance with legal expectations, to meet the needs of a diverse population of learners. This population'
  ➜ Skipping stray line: 'includes learners with disabilities, gifted and talented learners, culturally diverse learners, and English language learners.'
  ➜ Skipping stray line: 'C848 - Fundamentals of Diversity, Inclusion, and Exceptional Learners - Students will learn the history of inclusion and develop practical'
  ➜ Skipping stray line: 'strategies for modifying instruction, in accordance with legal expectations, to meet the needs of a diverse population of learners. This population'
  ➜ Skipping stray line: 'includes learners with disabilities, gifted and talented learners, culturally diverse learners, and English language learners.'
  ➜ Skipping stray line: 'C853 - Teacher Performance Assessment in English - The Teacher Performance Assessment serves as the final, culminating project in your'
  ➜ Skipping stray line: 'degree program. It is a formal, scholarly piece of work. You are required to design and develop a two-week-long (minimum), standards-based'
  ➜ Skipping stray line: 'curriculum unit. You will then implement (i.e., teach) the unit in your classroom and gather data as to its effectiveness.'
  ➜ Skipping stray line: 'C860 - Innovation Project - This course explores healthcare innovation by having you compare examples, apply concepts, perform research and'
  ➜ Skipping stray line: 'analysis, and create original work. You will complete and submit an Innovation proposal form describing a new technology to decrease clinic wait'
  ➜ Skipping stray line: 'times.'
  ➜ Skipping stray line: 'C861 - Healthcare Systems Project - You will explore healthcare systems by evaluating the needs of a group medical center to expand care to a'
  ➜ Skipping stray line: 'growing population of underserved and underinsured patients. You will assess the value of affiliation with other providers and potential payers, analyze'
  ➜ Skipping stray line: 'several healthcare organizations as potential partners for affiliation, and determine what type of affiliation structure will best meet the needs of the'
  ➜ Skipping stray line: 'medical center. This project culminates in the creation of a proposed “affiliation recommendation” that summarizes the assessment of three candidate'
  ➜ Skipping stray line: 'organizations.'
  ➜ Skipping stray line: 'C862 - Healthcare Quality Project - You will use Six Sigma principles and strategies, as well as other quality concepts (DMAIC), to address problems'
  ➜ Skipping stray line: 'of high patient wait times and poor physician communication at a highly functioning level 1 trauma center. You will develop a healthcare quality'
  ➜ Skipping stray line: 'improvement process that implements the five phases of a Six Sigma approach. You will also analyze challenges executives face in identifying,'
  ➜ Skipping stray line: 'synthesizing, and acting upon healthcare data to improve operations and patient-centered care.'
  ➜ Skipping stray line: 'C863 - Healthcare Financial Management Project - You will develop a value-based payment model and strategic implementation plan to provide'
  ➜ Skipping stray line: 'high-quality, most cost-effective care to a high-risk patient population. The organization is currently not equipped to take on the risks inherent in the'
  ➜ Skipping stray line: 'population of Southern Florida. To create a successful plan, you will analyze and interpret data to determine the population's need and justify that their'
  ➜ Skipping stray line: 'organization can financially support and sustain the new system.'
  ➜ Skipping stray line: 'C864 - Enterprise Risk Management Project - You will take on the role of a consulting risk manager for the Phoenix VA Health Care System'
  ➜ Skipping stray line: '(PVAHCS) to address the Office of Inspector General’s report. You begin by identifying and analyzing risk issues embedded within a real-world'
  ➜ Skipping stray line: 'scenario. You will use enterprise risk management (ERM) concepts to create and define implementation strategies for an ERM plan to mitigate and'
  ➜ Skipping stray line: 'manage the risks identified. Finally, you will recommend a new system model.'
  ➜ Skipping stray line: 'C865 - Population Health and Care Coordination Project - You will design a chronic care population management plan and change a health'
  ➜ Skipping stray line: 'system's model to one that focuses on patient and family. You will review a model from Mississippi that has expanded Medicaid where the'
  ➜ Skipping stray line: 'opportunities to develop partnerships are ideal. To help control costs, you will develop a wellness and prevention program alongside the disease'
  ➜ Skipping stray line: 'management model already being used in a system of their choice.'
  ➜ Skipping stray line: 'C870 - Human Anatomy and Physiology - This course examines the structures and functions of the human body and covers anatomical'
  ➜ Skipping stray line: 'terminology, cells and tissues, and organ systems. Students will use a dissection lab to study the healthy state of the organ systems of the human'
  ➜ Skipping stray line: 'body, including the digestive, skeletal, sensory, respiratory, reproductive, nervous, muscular, cardiovascular, lymphatic, integumentary, endocrine, and'
  ➜ Skipping stray line: 'renal systems. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C871 - MA, Science Education Teacher Performance Assessment - MA, Science Education (5-12 Geo) Teacher Performance Assessment'
  ➜ Skipping stray line: 'contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct evidence of the'
  ➜ Skipping stray line: 'candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect on the learning'
  ➜ Skipping stray line: 'process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional unit consisting'
  ➜ Skipping stray line: 'of seven components: 1) Contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision making, 6) analysis of'
  ➜ Skipping stray line: 'student learning, and 7) self-evaluation and reflection.'
  ➜ Skipping stray line: 'C873 - Teacher Performance Assessment in Elementary Education - The Teacher Performance Assessment is a culmination of the wide variety'
  ➜ Skipping stray line: 'of skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase'
  ➜ Skipping stray line: 'a collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C874 - MA, Mathematics Education (5-12) Teacher Performance Assessment - MA, Mathematics Education (5-12) Teacher Performance'
  ➜ Skipping stray line: 'Assessment contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct'
  ➜ Skipping stray line: 'evidence of the candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect'
  ➜ Skipping stray line: 'on the learning process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional'
  ➜ Skipping stray line: 'unit consisting of seven components: 1) Contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision'
  ➜ Skipping stray line: 'making, 6) analysis of student learning, and 7) self-evaluation and reflection.'
  ➜ Skipping stray line: 'C875 - Human Anatomy and Physiology - This course examines the structures and functions of the human body and covers anatomical'
  ➜ Skipping stray line: 'terminology, cells and tissues, and organ systems. Students will use a dissection lab to study the healthy state of the organ systems of the human'
  ➜ Skipping stray line: 'body, including the digestive, skeletal, sensory, respiratory, reproductive, nervous, muscular, cardiovascular, lymphatic, integumentary, endocrine, and'
  ➜ Skipping stray line: 'renal systems. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C876 - Conceptual Physics - Conceptual Physics provides a broad, conceptual overview of the main principles of physics, including mechanics,'
  ➜ Skipping stray line: 'thermodynamics, wave motion, modern physics, and electricity and magnetism. Problem-solving activities and laboratory experiments provide'
  ➜ Skipping stray line: 'students with opportunities to apply these main principles, creating a strong foundation for future studies in physics. There are no prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 168'
  ➜ Skipping stray line: 'C877 - Mathematical Modeling and Applications - Mathematical Modeling and Applications applies mathematics, such as differential equations,'
  ➜ Skipping stray line: 'discrete structures, and statistics to formulate models and solve real-world problems. This course emphasizes improving students’ critical thinking to'
  ➜ Skipping stray line: 'help them understand the process and application of mathematical modeling. Probability and Statistics II and Calculus II are prerequisites.'
  ➜ Skipping stray line: 'C878 - Mathematical Modeling and Applications - Mathematical Modeling and Applications applies mathematics, such as differential equations,'
  ➜ Skipping stray line: 'discrete structures, and statistics to formulate models and solve real-world problems. This course emphasizes improving students’ critical thinking to'
  ➜ Skipping stray line: 'help them understand the process and application of mathematical modeling. Probability and Statistics II and Calculus II are prerequisites.'
  ➜ Skipping stray line: 'C879 - Algebra for Secondary Mathematics Teaching - Algebra for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of algebra. Secondary teachers should have an understanding of the following: algebra as an extension of number, operation, and'
  ➜ Skipping stray line: 'quantity; various ideas of equivalence as it pertains to algebraic structures; patterns of change as covariation between quantities; connections'
  ➜ Skipping stray line: 'between representations (tables, graphs, equations, geometric models, context); and the historical development of content and perspectives from'
  ➜ Skipping stray line: 'diverse cultures. In particular, the focus should be on deeper understanding of rational numbers, ratios and proportions, meaning and use of variables,'
  ➜ Skipping stray line: 'functions (e.g., exponential, logarithmic, polynomials, rational, quadratic), and inverses. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C880 - Algebra for Secondary Mathematics Teaching - Algebra for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of algebra. Secondary teachers should have an understanding of the following: algebra as an extension of number, operation, and'
  ➜ Skipping stray line: 'quantity; various ideas of equivalence as it pertains to algebraic structures; patterns of change as covariation between quantities; connections'
  ➜ Skipping stray line: 'between representations (tables, graphs, equations, geometric models, context); and the historical development of content and perspectives from'
  ➜ Skipping stray line: 'diverse cultures. In particular, the focus should be on deeper understanding of rational numbers, ratios and proportions, meaning and use of variables,'
  ➜ Skipping stray line: 'functions (e.g., exponential, logarithmic, polynomials, rational, quadratic), and inverses. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C881 - Geometry for Secondary Mathematics Teaching - Geometry for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of geometry. Secondary teachers in this course will develop a deep understanding of constructions and transformations,'
  ➜ Skipping stray line: 'congruence and similarity, analytic geometry, solid geometry, conics, trigonometry, and the historical development of content. Calculus I is a'
  ➜ Skipping stray line: 'prerequisite for this course.'
  ➜ Skipping stray line: 'C882 - Geometry for Secondary Mathematics Teaching - Geometry for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of geometry. Secondary teachers in this course will develop a deep understanding of constructions and transformations,'
  ➜ Skipping stray line: 'congruence and similarity, analytic geometry, solid geometry, conics, trigonometry, and the historical development of content. Calculus I is a'
  ➜ Skipping stray line: 'prerequisite for this course.'
  ➜ Skipping stray line: 'C883 - Statistics and Probability for Secondary Mathematics Teaching - Statistics and Probability for Secondary Mathematics Teaching explores'
  ➜ Skipping stray line: 'important conceptual underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional'
  ➜ Skipping stray line: 'practices to support and assess the learning of statistics and probability. Secondary teachers should have a deep understanding of summarizing and'
  ➜ Skipping stray line: 'representing data, study design and sampling, probability, testing claims and drawing conclusions, and the historical development of content and'
  ➜ Skipping stray line: 'perspectives from diverse cultures. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C884 - Statistics and Probability for Secondary Mathematics Teaching - Statistics and Probability for Secondary Mathematics Teaching explores'
  ➜ Skipping stray line: 'important conceptual underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional'
  ➜ Skipping stray line: 'practices to support and assess the learning of statistics and probability. Secondary teachers should have a deep understanding of summarizing and'
  ➜ Skipping stray line: 'representing data, study design and sampling, probability, testing claims and drawing conclusions, and the historical development of content and'
  ➜ Skipping stray line: 'perspectives from diverse cultures. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C885 - Advanced Calculus - Advanced Calculus examines rigorous reconsideration and proofs involving calculus. Topics include real-number'
  ➜ Skipping stray line: 'systems, sequences, limits, continuity, differentiation, and integration. This course emphasizes students’ ability to apply critical thinking to concepts to'
  ➜ Skipping stray line: 'analyze the connections between definitions and properties. Calculus III and Linear Algebra are prerequisites.'
  ➜ Skipping stray line: 'C886 - Advanced Calculus - Advanced Calculus examines rigorous reconsideration and proofs involving calculus. Topics include real-number'
  ➜ Skipping stray line: 'systems, sequences, limits, continuity, differentiation, and integration. This course emphasizes students’ ability to apply critical thinking to concepts to'
  ➜ Skipping stray line: 'analyze the connections between definitions and properties. Calculus III and Linear Algebra are prerequisites.'
  ➜ Skipping stray line: 'C887 - MA, Mathematics Education (5-9) Teacher Performance Assessment - MA, Mathematics Education (5-9) Teacher Performance'
  ➜ Skipping stray line: 'Assessment contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct'
  ➜ Skipping stray line: 'evidence of the candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect'
  ➜ Skipping stray line: 'on the learning process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional'
  ➜ Skipping stray line: 'unit consisting of seven components: 1) contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision making,'
  ➜ Skipping stray line: '6) analysis of student learning, and 7) self-evaluation and reflection.'
  ➜ Skipping stray line: 'C888 - Molecular and Cellular Biology - Molecular and Cellular Biology provides students seeking licensure or endorsement in biology, grades 5-12,'
  ➜ Skipping stray line: 'with an introduction to the area of molecular and cellular biology. Molecular and Cellular Biology examines the cell as an organism emphasizing'
  ➜ Skipping stray line: 'molecular basis of cell structure and functions of biological macromolecules, subcellular organelles, intracellular transport, cell division, and biological'
  ➜ Skipping stray line: 'reactions. Prerequisite: Introduction to Biology.'
  ➜ Skipping stray line: 'C889 - Molecular and Cellular Biology - Molecular and Cellular Biology provides students seeking licensure or endorsement in biology, grades 5-12,'
  ➜ Skipping stray line: 'with an introduction to the area of molecular and cellular biology. Molecular and Cellular Biology examines the cell as an organism emphasizing'
  ➜ Skipping stray line: 'molecular basis of cell structure and functions of biological macromolecules, subcellular organelles, intracellular transport, cell division, and biological'
  ➜ Skipping stray line: 'reactions. Prerequisite: Introduction to Biology.'
  ➜ Skipping stray line: 'C890 - Ecology and Environmental Science - Ecology and Environmental Science is an introductory course for undergraduate students seeking'
  ➜ Skipping stray line: 'initial licensure or endorsement in science education for grades 5–12. The course explores the relationships between organisms and their'
  ➜ Skipping stray line: 'environment, including population ecology, communities, adaptations, distributions, interactions, and the environmental factors controlling these'
  ➜ Skipping stray line: 'relationships. This course has no prerequisites.'
  ➜ Skipping stray line: 'C891 - Ecology and Environmental Science - Ecology and Environmental Science is an introductory course for graduate students seeking initial'
  ➜ Skipping stray line: 'licensure or endorsement in science education for grades 5–12. The course introduction to ecology and environmental science and explores the'
  ➜ Skipping stray line: 'relationships between organisms and their environment, including population ecology, communities, adaptations, distributions, interactions, and the'
  ➜ Skipping stray line: 'environmental factors controlling these relationships. This course has no prerequisites.'
  ➜ Skipping stray line: 'C892 - Geology II: Earth Systems - Geology II: Earth Systems provides undergraduate students seeking licensure or endorsement in science'
  ➜ Skipping stray line: 'education for grades 5-12 with an examination of the geosphere, atmosphere, hydrosphere, and biosphere, and the dynamic equilibrium of these'
  ➜ Skipping stray line: 'systems over geologic time. This course also examines the history of Earth and its life-forms, with an emphasis in meteorology. A prerequisite for this'
  ➜ Skipping stray line: 'course is Geology I: Physical.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 169'
  ➜ Skipping stray line: 'C893 - Geology II: Earth Systems - Geology II: Earth Systems provides graduate students seeking licensure or endorsement in science education'
  ➜ Skipping stray line: 'for grades 5-12 with an examination of the geosphere, atmosphere, hydrosphere, and biosphere, and the dynamic equilibrium of these systems over'
  ➜ Skipping stray line: 'geologic time. This course also examines the history of Earth and its life-forms, with an emphasis in meteorology. A prerequisite for this course is'
  ➜ Skipping stray line: 'Geology I: Physical.'
  ➜ Skipping stray line: 'C894 - Astronomy - This course provides undergraduate students seeking initial licensure or endorsement in geosciences for grades 5−12 with'
  ➜ Skipping stray line: 'essential knowledge of astronomy and explores Western history and basic physics of astronomy; phases of the moon and seasons; composition and'
  ➜ Skipping stray line: 'properties of solar system bodies; stellar evolution and remnants; properties and scale of objects and distances within the universe; and introductory'
  ➜ Skipping stray line: 'cosmology. A prerequisite for this course is General Physics.'
  ➜ Skipping stray line: 'C895 - Astronomy - This course provides graduate students seeking initial licensure or endorsement in geosciences for grades 5−12 with essential'
  ➜ Skipping stray line: 'knowledge of astronomy and explores Western history and basic physics of astronomy; phases of the moon and seasons; composition and properties'
  ➜ Skipping stray line: 'of solar system bodies; stellar evolution and remnants; properties and scale of objects and distances within the universe; and introductory cosmology.'
  ➜ Skipping stray line: 'A prerequisite for this course is General Physics.'
  ➜ Skipping stray line: 'C896 - Science Methods - Science Methods provides undergraduate students seeking initial licensure or endorsement in the sciences for grades'
  ➜ Skipping stray line: '5-12 with an introduction to science teaching methods and laboratory safety training. Course content focuses on designing and teaching with the three'
  ➜ Skipping stray line: 'dimensions of science: disciplinary core ideas, crosscutting concepts, and science and engineering practices. Laboratory safety training and'
  ➜ Skipping stray line: 'certification will include the proper use of personal protective equipment and safe laboratory practices and procedures in science classrooms. This'
  ➜ Skipping stray line: 'course has no prerequisites.'
  ➜ Skipping stray line: 'C897 - Mathematics: Content Knowledge - Mathematics: Content Knowledge is designed to help candidates refine and integrate the mathematics'
  ➜ Skipping stray line: 'content knowledge and skills necessary to become successful secondary mathematics teachers. A high level of mathematical reasoning skills and the'
  ➜ Skipping stray line: 'ability to solve problems are necessary to complete this course. Prerequisites for this course are College Geometry, Probability and Statistics I, and'
  ➜ Skipping stray line: 'Pre-Calculus.'
  ➜ Skipping stray line: 'C898 - Earth Science: Content Knowledge - This course covers the advanced content knowledge that a secondary Earth Science teachers is'
  ➜ Skipping stray line: 'expected to know and understand. Topics include basic scientific principles of Earth and Space Sciences, tectonics and internal Earth processes,'
  ➜ Skipping stray line: 'Earth materials and surface processes, history of the Earth and its Life-Forms, Earth's atmosphere and hydrosphhere, and astronomy.'
  ➜ Skipping stray line: 'C900 - Biology: Content Knowledge - This comprehensive course examines a student’s conceptual understanding of a broad range of biology'
  ➜ Skipping stray line: 'topics. High school biology teachers must help students make connections between isolated topics. For example, when studying hormones created by'
  ➜ Skipping stray line: 'endocrine glands traveling through the circulatory system to maintain homeostasis, a student is connecting many biology topics. This course starts'
  ➜ Skipping stray line: 'with macromolecules that make up cellular components and continues with understanding the many cellular processes that allow life to exist.'
  ➜ Skipping stray line: 'Connections are then made between genetics and evolution. Classification of organisms leads into plant and animal development that study the organ'
  ➜ Skipping stray line: 'systems and their role in maintaining homeostasis. The course finishes by studying ecology and how humans affect the environment.'
  ➜ Skipping stray line: 'C901 - Physics: Content Knowledge - Physics: Content Knowledge covers the advanced content knowledge that a secondary physics teacher is'
  ➜ Skipping stray line: 'expected to know and understand. Topics include mechanics, electricity and magnetism, optics and waves, heat and thermodynamics, modern'
  ➜ Skipping stray line: 'physics, atomic and nuclear structure, the history and nature of science, science technology, and social perspectives.'
  ➜ Skipping stray line: 'C902 - Middle School Science: Content Knowledge - This course covers the content knowledge that a middle-level science teacher is expected to'
  ➜ Skipping stray line: 'know and understand. Topics include scientific methodologies, history of science, basic science principles, physical sciences, life sciences, Earth and'
  ➜ Skipping stray line: 'space sciences, and the role of science and technology and their impact on society.'
  ➜ Skipping stray line: 'C903 - Middle School Mathematics: Content Knowledge - Mathematics: Middle School Content Knowledge is designed to help candidates refine'
  ➜ Skipping stray line: 'and integrate the mathematics content knowledge and skills necessary to become successful middle school mathematics teachers. A high level of'
  ➜ Skipping stray line: 'mathematical reasoning skills and the ability to solve problems are necessary to complete this course. Prerequisites for this course are College'
  ➜ Skipping stray line: 'Geometry, Probability and Statistics I, and Pre-Calculus.'
  ➜ Skipping stray line: 'C904 - Teacher Performance Assessment in Science - The Teacher Performance Assessment in Science is a culmination of the wide variety of'
  ➜ Skipping stray line: 'skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a'
  ➜ Skipping stray line: 'collection of your content, planning, instructional, and'
  ➜ Skipping stray line: 'reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C907 - Introduction to Biology - This course is a foundational introduction to the biological sciences. The overarching theories of life from biological'
  ➜ Skipping stray line: 'research are explored as well as the fundamental concepts and principles of the study of living organisms and their interaction with the environment.'
  ➜ Skipping stray line: 'Key concepts include how living organisms use and produce energy; how life grows, develops, and reproduces; how life responds to the environment'
  ➜ Skipping stray line: 'to maintain internal stability; and how life evolves and adapts to the environment.'
  ➜ Skipping stray line: 'C908 - Integrated Physical Sciences - This course provides students with an overview of the basic principles and unifying ideas of the physical'
  ➜ Skipping stray line: 'sciences: physics, chemistry, and Earth sciences. Course materials focus on scientific reasoning and practical and everyday applications of physical'
  ➜ Skipping stray line: 'science concepts to help students integrate conceptual knowledge with practical skills.'
  ➜ Skipping stray line: 'C909 - Elementary Reading Methods and Interventions - Elementary Reading Methods and Interventions provides students seeking initial teacher'
  ➜ Skipping stray line: 'licensure in elementary education with an in-depth look at best practices for developing the reading and writing skills of all students. Course content'
  ➜ Skipping stray line: 'examines the stages of literacy development, the balanced literacy approach, differentiation, technology integration, literacy-assessment, and the'
  ➜ Skipping stray line: 'comprehensive Response to Intervention (RTI) model used to identify and address the needs of learners who struggle with reading comprehension.'
  ➜ Skipping stray line: 'This course has no prerequisites.'
  ➜ Skipping stray line: 'C910 - Elementary Reading Methods and Interventions - Elementary Reading Methods and Interventions provides students seeking initial teacher'
  ➜ Skipping stray line: 'licensure in elementary education with an in-depth look at best practices for developing the reading and writing skills of all students. Course content'
  ➜ Skipping stray line: 'examines the stages of literacy development, the balanced literacy approach, differentiation, technology integration, literacy-assessment, and the'
  ➜ Skipping stray line: 'comprehensive Response to Intervention (RTI) model used to identify and address the needs of learners who struggle with reading comprehension.'
  ➜ Skipping stray line: 'This course has no prerequisites.'
  ➜ Skipping stray line: 'C912 - College Algebra - This course provides further application and analysis of algebraic concepts and functions through mathematical modeling of'
  ➜ Skipping stray line: 'real-world situations. Topics include: real numbers, algebraic expressions, equations and inequalities, graphs and functions, polynomial and rational'
  ➜ Skipping stray line: 'functions, exponential and logarithmic functions, and systems of linear equations.'
  ➜ Skipping stray line: 'C913 - Psychology for Educators - This course prepares candidates to meet the expectations of society and prepares future educators to support'
  ➜ Skipping stray line: 'classroom practice with research-validated concepts. The course helps future educators to create a framework for refining teaching skills that are'
  ➜ Skipping stray line: 'focused on the learner, through engaged inquiry of integrating theory, critical issues in psychology, classroom applications with diverse populations,'
  ➜ Skipping stray line: 'assessment, educational technology, and reflective teaching.'
  ➜ Skipping stray line: 'C914 - Teacher Performance Assessment in Mathematics Education - The Teacher Performance Assessment is a culmination of the wide variety'
  ➜ Skipping stray line: 'of skills learned during your time'
  ➜ Skipping stray line: 'in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of your content,'
  ➜ Skipping stray line: 'planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 170'
  ➜ Skipping stray line: 'C915 - Chemistry: Content Knowledge - Chemistry: Content Knowledge provides advanced instruction in the main areas of chemistry for which'
  ➜ Skipping stray line: 'secondary chemistry teachers are expected to demonstrate competency. Topics include matter and energy, thermochemistry, structure, bonding,'
  ➜ Skipping stray line: 'reactivity, biochemistry and organic chemistry, solutions, nature of science, technology and social perspectives, mathematics, and laboratory'
  ➜ Skipping stray line: 'procedures.'
  ➜ Skipping stray line: 'C925 - Earth: Inside and Out - Earth: Inside and Out explores the ways in which our dynamic planet evolved, and the processes and systems that'
  ➜ Skipping stray line: 'continue to shape it. Though the geologic record is incredibly ancient, it has only been studied intensely since the end of the nineteenth century. Since'
  ➜ Skipping stray line: 'then, research in fields such as geologic time, plate tectonics, climate change, exploration of the deep sea floor, and the inner earth have vastly'
  ➜ Skipping stray line: 'increased our understanding of geological processes. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C926 - Earth: Inside and Out - Earth: Inside and Out explores the ways in which our dynamic planet evolved, and the processes and systems that'
  ➜ Skipping stray line: 'continue to shape it. Though the geologic record is incredibly ancient, it has only been studied intensely since the end of the nineteenth century. Since'
  ➜ Skipping stray line: 'then, research in fields such as geologic time, plate tectonics, climate change, exploration of the deep sea floor, and the inner earth have vastly'
  ➜ Skipping stray line: 'increased our understanding of geological processes. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C930 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C931 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C932 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C933 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C934 - Preclinical Experiences in Elementary and Special Education - Preclinical Experiences in Elementary and Special Education provides'
  ➜ Skipping stray line: 'students the opportunity to observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence'
  ➜ Skipping stray line: 'necessary to be an effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the'
  ➜ Skipping stray line: 'classroom for the observations, students will be required to meet several requirements including a cleared background check, passing scores on the'
  ➜ Skipping stray line: 'state or WGU required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C935 - Preclinical Experiences in Elementary Education - Preclinical Experiences in Elementary Education provides students the opportunity to'
  ➜ Skipping stray line: 'observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an'
  ➜ Skipping stray line: 'effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the'
  ➜ Skipping stray line: 'observations, students will be required to meet several requirements including a cleared background check, passing scores on the state or WGU'
  ➜ Skipping stray line: 'required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C936 - Preclinical Experiences in Elementary Education - Preclinical Experiences in Elementary Education provides students the opportunity to'
  ➜ Skipping stray line: 'observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an'
  ➜ Skipping stray line: 'effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the'
  ➜ Skipping stray line: 'observations, students will be required to meet several requirements including a cleared background check, passing scores on the state or WGU'
  ➜ Skipping stray line: 'required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C937 - Preclinical Experiences in Science - Preclinical Experiences in Science provides students the opportunity to observe and participate in a'
  ➜ Skipping stray line: 'wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will'
  ➜ Skipping stray line: 'reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required'
  ➜ Skipping stray line: 'to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed'
  ➜ Skipping stray line: 'resume.'
  ➜ Skipping stray line: 'C938 - Preclinical Experiences in Science - Preclinical Experiences in Science provides students the opportunity to observe and participate in a'
  ➜ Skipping stray line: 'wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will'
  ➜ Skipping stray line: 'reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required'
  ➜ Skipping stray line: 'to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed'
  ➜ Skipping stray line: 'resume.'
  ➜ Skipping stray line: 'CQC2 - Calculus II - Calculus II is the study of the accumulation of change in relation to the area under a curve. It covers the knowledge and skills'
  ➜ Skipping stray line: 'necessary to apply integral calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include'
  ➜ Skipping stray line: 'antiderivatives; indefinite integrals; the substitution rule; Riemann sums; the Fundamental Theorem of Calculus; definite integrals; acceleration,'
  ➜ Skipping stray line: 'velocity, position, and initial values; integration by parts; integration by trigonometric substitution; integration by partial fractions; numerical integration;'
  ➜ Skipping stray line: 'improper integration; area between curves; volumes and surface areas of revolution; arc length; work; center of mass; separable differential equations;'
  ➜ Skipping stray line: 'direction fields; growth and decay problems; and sequences. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'CUA1 - Culture - Focuses on the nature and role of culture and the importance of cultural groups and cultural identity.'
  ➜ Skipping stray line: 'CWEL - Capstone Written Project in Educational Leadership - The capstone project will consist of the design and implementation of a short-term'
  ➜ Skipping stray line: 'datadriven school improvement initiative. Through the case study approach and during the capstone experience, you will identify one or more'
  ➜ Skipping stray line: 'measurable outcome improvement areas in your case study / practicum site. You will propose and develop short-term school improvement initiatives'
  ➜ Skipping stray line: 'and will then measure the outcomes and results of your implemented improvement initiatives.'
  ➜ Skipping stray line: 'CZC1 - Accounting II - Accounting II is a continuation of the topics that were addressed in Accounting I. Accounting II focuses on ways in which'
  ➜ Skipping stray line: 'accounting principles are used in business operations, deepening the student's understanding of Generally Accepted Accounting Principles (GAAP),'
  ➜ Skipping stray line: 'inventory, liabilities, and budgets. This course also introduces topics that are important for corporate accounting and financial analysis.'
  ➜ Skipping stray line: 'DPT1 - Physics: Electricity and Magnetism - Physics: Electricity and Magnetism addresses principles related to the physics of electricity and'
  ➜ Skipping stray line: 'magnetism. Students will study electric and magnetic forces and then apply that knowledge to the study of circuits with resistors and electromagnetic'
  ➜ Skipping stray line: 'induction and waves, focusing on such topics as: Electric charge and electric field, electric currents and resistance, magnetism, electromagnetic'
  ➜ Skipping stray line: 'induction and Faraday's law, and Maxwell's equation and electromagnetic waves.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 171'
  ➜ Skipping stray line: 'DPT2 - Physics: Electricity and Magnetism - Physics: Electricity and Magnetism addresses principles related to the physics of electricity and'
  ➜ Skipping stray line: 'magnetism. Students will study electric and magnetic forces and then apply that knowledge to the study of circuits with resistors and electromagnetic'
  ➜ Skipping stray line: 'induction and waves, focusing on such topics as: Electric charge and electric field, electric currents and resistance, magnetism, electromagnetic'
  ➜ Skipping stray line: 'induction and Faraday's law, and Maxwell's equation and electromagnetic waves.'
  ➜ Skipping stray line: 'DRC1 - Educational Assessment - Educational Assessment assists students in making appropriate data-driven instructional decisions by exploring'
  ➜ Skipping stray line: 'key concepts relevant to the administration, scoring, and interpretation of classroom assessments. Topics include ethical assessment practices,'
  ➜ Skipping stray line: 'designing assessments, aligning assessments, and utilizing technology for assessment.'
  ➜ Skipping stray line: 'DWP2 - Application of Elementary Social Studies Methods - Application of Elementary Social Studies Methods helps students learn how to'
  ➜ Skipping stray line: 'implement effective social studies instruction in the elementary classroom. Topics include social studies themes, promoting cultural diversity,'
  ➜ Skipping stray line: 'integrated social studies across the curriculum, social studies learning environments, assessing social studies understanding, differentiated instruction'
  ➜ Skipping stray line: 'for social studies, technology for social studies instruction, and standards-based social studies instruction. This course helps students to apply,'
  ➜ Skipping stray line: 'analyze, and reflect on effective elementary social studies instruction.'
  ➜ Skipping stray line: 'DZP2 - Application of Elementary Visual and Performing Arts Methods - Application of Elementary Visual and Performing Arts Methods helps'
  ➜ Skipping stray line: 'students learn how to implement effective visual and performing arts instruction in the elementary classroom. Topics include integrating arts across the'
  ➜ Skipping stray line: 'curriculum, music education, visual arts, dance and movement, dramatic arts, differentiated instruction for visual and performing arts, and promoting'
  ➜ Skipping stray line: 'cultural diversity through visual and performing arts instruction. This course helps students to apply, analyze, and reflect on effective elementary visual'
  ➜ Skipping stray line: 'and performing arts instruction.'
  ➜ Skipping stray line: 'EBP2 - Application of Elementary Physical Education and Health Methods - Applications of Elementary Physical Education and Health Methods'
  ➜ Skipping stray line: 'helps students learn how to implement effective physical and health education instruction in the elementary classroom. Topics include healthy'
  ➜ Skipping stray line: 'lifestyles, student safety, student nutrition, physical education, differentiated instruction for physical and health education, physical education across'
  ➜ Skipping stray line: 'the curriculum, and public policy in health and physical education. This course helps students to apply, analyze, and reflect on effective elementary'
  ➜ Skipping stray line: 'visual and performing arts instruction.'
  ➜ Skipping stray line: 'EFP1 - Cultural Studies and Diversity - Cultural Studies and Diversity focuses on the development of cultural awareness. Students will analyze the'
  ➜ Skipping stray line: 'role of culture in today’s world, develop culturally-responsive practices, and understand the barriers to and the benefits of diversity.'
  ➜ Skipping stray line: 'EFV1 - Behavioral Management and Intervention - Behavioral Management and Intervention explores the challenges of working with students with'
  ➜ Skipping stray line: 'emotional and behavioral disabilities and helps students learn about theories, interventions, practices, and assessments that can influence these'
  ➜ Skipping stray line: 'children's opportunities for success. It further helps students better be able to make decisions about how to strategize behavior'
  ➜ Skipping stray line: 'adjustments for individual students.'
  ➜ Skipping stray line: 'EFV2 - Behavioral Management and Intervention - Behavioral Management and Intervention explores the challenges of working with students with'
  ➜ Skipping stray line: 'emotional and behavioral disabilities and helps students learn about theories, interventions, practices, and assessments that can influence these'
  ➜ Skipping stray line: 'children's opportunities for success. It further helps students better be able to make decisions about how to strategize behavior adjustments for'
  ➜ Skipping stray line: 'individual students.'
  ➜ Skipping stray line: 'ELO1 - Subject Specific Pedagogy: ELL - Subject Specific Pedagogy: ELL integrates aspects of pedagogy, assessment, and professionalism in'
  ➜ Skipping stray line: 'English Language Learning (ELL). A student develops and assesses aspects of language curriculum development including second language'
  ➜ Skipping stray line: 'instruction, methods of second language assessment, and legal policy issues.'
  ➜ Skipping stray line: 'EST1 - Ethical Situations in Business - Ethical Situations in Business explores various scenarios in business and helps students learn to develop'
  ➜ Skipping stray line: 'ethical and socially responsible courses of action. Students will also learn to develop an appropriate and comprehensive ethics program for a business'
  ➜ Skipping stray line: 'venture.'
  ➜ Skipping stray line: 'EXP2 - College Geometry - College Geometry covers the knowledge and skills necessary to apply geometry to model and solve real-life problems, to'
  ➜ Skipping stray line: 'do formal axiomatic proofs in geometry, and to use dynamic technology to explore geometry. Topics include axiomatic systems and analytic proof;'
  ➜ Skipping stray line: 'non-Euclidean geometries; construction, analytic, and synthetic methods for investigating and proving properties and relationships of two- and three-'
  ➜ Skipping stray line: 'dimensional objects; geometric transformations, tessellations, and using inductive reasoning; concrete models; and dynamic technology to conduct'
  ➜ Skipping stray line: 'geometric investigations. College Algebra and Pre-Calculus are prerequisites for this course.'
  ➜ Skipping stray line: 'FCC1 - Introduction to Special Education, Law and Legal Issues - Introduction to Special Education, Law and Legal Issues introduces the history'
  ➜ Skipping stray line: 'and nature of special education and how it relates to general education, as well as specific legal acts and concepts governing it. Topics include history'
  ➜ Skipping stray line: 'of special education, the Individuals with Disabilities Education Act, the No Child Left Behind Act, FAPE (free, appropriate public education), and least'
  ➜ Skipping stray line: 'restrictive environments.'
  ➜ Skipping stray line: 'FCC2 - Introduction to Special Education, Law and Legal Issues, Policies and Procedures - Introduction to Special Education, Law and Legal'
  ➜ Skipping stray line: 'Issues, Policies and Procedures introduces the history and nature of special education and how it relates to general education, as well as specific'
  ➜ Skipping stray line: 'legal acts and concepts governing it. Topics include history of special education, the Individuals with Disabilities Education Act, the No Child Left'
  ➜ Skipping stray line: 'Behind Act, FAPE (free, appropriate public education), and least restrictive environments.'
  ➜ Skipping stray line: 'FEA1 - Field Experience for ELL - Field Experience for ELL is the field experience component of the English Language Learning program. In this'
  ➜ Skipping stray line: 'experience, students are required to complete a minimum of 15 hours of observations at both elementary and secondary levels. Additionally, a'
  ➜ Skipping stray line: 'supervised teaching experience that is face-to-face with English language learners according to the minimum time requirements of your state is'
  ➜ Skipping stray line: 'required. The purpose of this course is to assess the ability of the student including their engagement in field experience activities, ability to reflect on'
  ➜ Skipping stray line: 'and then plan standards-based instruction in ELL, and their ability to locate and effectively use resources for teaching ELL to meet the needs of their'
  ➜ Skipping stray line: 'individual students.'
  ➜ Skipping stray line: 'FJC1 - Psychoeducational Assessment Practices and IEP Development/Implementation - Psychoeducational Assessment Practices and IEP'
  ➜ Skipping stray line: 'Development/Implementation prepares students to apply knowledge the IEP as they work with students who have mild to moderate disabilities in a'
  ➜ Skipping stray line: 'wide variety of possible situations, all with an emphasis on cross-categorical inclusion. It helps students gain fluency in their understanding of the 13'
  ➜ Skipping stray line: 'disability categories, assessment, curriculum, and instruction.'
  ➜ Skipping stray line: 'FJC2 - Psychoeducational Assessment Practices and IEP Development/Implementation - Psychoeducational Assessment Practices and IEP'
  ➜ Skipping stray line: 'Development/Implementation prepares students to apply knowledge the IEP as they work with students who have mild to moderate disabilities in a'
  ➜ Skipping stray line: 'wide variety of possible situations, all with an emphasis on cross-categorical inclusion. It helps students gain fluency in their understanding of the 13'
  ➜ Skipping stray line: 'disability categories, assessment, curriculum, and instruction.'
  ➜ Skipping stray line: 'FLC1 - Instructional Models and Design, Supervision and Culturally Response Teaching - Instructional Models and Design, Supervision and'
  ➜ Skipping stray line: 'Culturally Response Teaching helps students understand the role of special education in the development of instruction, why this field exists separate'
  ➜ Skipping stray line: 'from and in conjunction with general education, where it is going, and how they can help coordinate inclusion for students. Students will gain expertise'
  ➜ Skipping stray line: 'in developing instructional, curricular, and environmental interventions based on assessment data and student need.'
  ➜ Skipping stray line: 'FLC2 - Instructional Models and Design, Supervision and Culturally Responsive Teaching - Instructional Models and Design, Supervision and'
  ➜ Skipping stray line: 'Culturally Responsive Teaching helps students understand the role of special education in the development of instruction, why this field exists'
  ➜ Skipping stray line: 'separate from and in conjunction with general education, where it is going, and how they can help coordinate inclusion for students. Students will gain'
  ➜ Skipping stray line: 'expertise in developing instructional, curricular, and environmental interventions based on assessment data and student need.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 172'
  ➜ Skipping stray line: 'FVC1 - Global Business - This course provides an introduction to global business. The advantages of global production and the benefits of trade are'
  ➜ Skipping stray line: 'critical aspects of global business. Many factors influence global business, such as transparency, geography, corruption, intellectual property'
  ➜ Skipping stray line: 'protections, outsourcing and off-shoring, operation management, and generally accepted accounting principles.'
  ➜ Skipping stray line: 'FXT2 - Disaster Recovery Planning, Prevention and Response - This course prepares students to plan and execute industry best practices related'
  ➜ Skipping stray line: 'to conducting organization-wide information assurance initiatives and to preparing an organization for implementing a comprehensive Information'
  ➜ Skipping stray line: 'Assurance Management program.'
  ➜ Skipping stray line: 'HMP1 - Cases in Advanced Human Resource Management - During Cases in Advanced Human Resource Management students apply their'
  ➜ Skipping stray line: 'knowledge of human resource management by completing a case study. Students will apply critical human resource strategies in the areas of'
  ➜ Skipping stray line: 'legal/regulatory compliance, recruitment and selection of personnel, performance and feedback mechanisms, and financial and benefits'
  ➜ Skipping stray line: 'compensation.'
  ➜ Skipping stray line: 'IDC1 - Foundations of Instructional Design - Foundations of Instructional Design provides an overview of how to select the most appropriate'
  ➜ Skipping stray line: 'learning theories, design processes, and instructional strategies based on learner audience, instructional setting, and current and desired state of'
  ➜ Skipping stray line: 'learning.'
  ➜ Skipping stray line: 'IYT2 - Introduction to Curriculum Theory - For over 200 years, educators in the United States have debated the purpose of education. Should'
  ➜ Skipping stray line: 'education be for enlightenment or to prepare students for the life of work? Should education be for many or for a select few? These questions continue'
  ➜ Skipping stray line: 'to be debated today. Through curriculum theory and reflection, educators have an educational framework by which to understand how theory and'
  ➜ Skipping stray line: 'one's philosophical views can impact the design, development, and implementation of curriculum and instruction. With this in mind, Introduction to'
  ➜ Skipping stray line: 'Curriculum Theory focuses on exploring and applying an understanding of Scholar Academic, Social Efficiency, Learner Centered, and Social'
  ➜ Skipping stray line: 'Reconstruction ideologies in various instructional settings and on the development on one’s own curriculum philosophy.'
  ➜ Skipping stray line: 'IZT2 - Learning Theories - Learning Theories focuses on the complexity of the current learning environment and how behaviorism, cognitivism,'
  ➜ Skipping stray line: 'constructivism, and personal learning philosophy can assist in the development of appropriate curriculum and instruction.'
  ➜ Skipping stray line: 'JIT2 - Risk Management - Content focuses on categorizing levels of risk and understanding how risk can impact the operations of the business'
  ➜ Skipping stray line: 'through a scenario involving the creation of a risk management program and business continuity program for a company and a business situation'
  ➜ Skipping stray line: 'reacting to a crisis/disaster situation affecting the company.'
  ➜ Skipping stray line: 'JNT2 - Instructional Design Analysis - Instructional Design Analysis focuses on using analysis of needs to determine the needs and interests of'
  ➜ Skipping stray line: 'learners, and scope and sequence for developing a logical approach for an education program to formulate appropriate and measurable program'
  ➜ Skipping stray line: 'objectives.'
  ➜ Skipping stray line: 'JOT2 - Issues in Instructional Design - Issues in Instructional Design focuses on learning theories, learner analysis, scope and sequence,'
  ➜ Skipping stray line: 'instructional strategies, task analysis and design theories, media and technology foundations, and adaptive technologies for special populations for'
  ➜ Skipping stray line: 'creating effective, well-articulated, and efficient instruction.'
  ➜ Skipping stray line: 'JPT2 - Instructional Design Production - Instructional Design Production focuses on the application of a systematic process of instructional design,'
  ➜ Skipping stray line: 'namely the concepts and procedure for analyzing and designing successful instruction. This course will prepare students to conduct a goal analysis, a'
  ➜ Skipping stray line: 'process used to identify instructional goals, as well as a task analysis, which is used to determine the skills and knowledge required to accomplish'
  ➜ Skipping stray line: 'those goals. This course also focuses on writing performance objectives, designing assessments, and developing instruction that incorporates relevant'
  ➜ Skipping stray line: 'learning theories. Methods for formatively evaluating a unit of instruction are also introduced. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'JQT2 - Issues in Measurement and Evaluation - Issues in Measurement and Evaluation focuses on the understanding of formative and summative'
  ➜ Skipping stray line: 'evaluation, quantitative and qualitative data collection tools, including rubrics and the processes of evaluation.'
  ➜ Skipping stray line: 'JRT2 - Evaluation Methodology and Instrumentation - Evaluation Methodology and Instrumentation focuses on using qualitative and quantitative'
  ➜ Skipping stray line: 'data collection tools and techniques to construct and evaluate valid and reliable measuring instruments.'
  ➜ Skipping stray line: 'JST2 - Evaluation Process and Recommendation - Evaluation Process and Recommendation focuses on implementing and interpreting an'
  ➜ Skipping stray line: 'evaluation and the reporting of the results and recommendations to stakeholders.'
  ➜ Skipping stray line: 'JWT2 - Instructional Theory - Instructional Theory focuses on exploring instructional design theory and related models and processes. Students will'
  ➜ Skipping stray line: 'apply instructional design principles to the design and delivery of plans to meet the learning needs found in the instructional setting.'
  ➜ Skipping stray line: 'JXT2 - Educational Psychology - Educational Psychology examines the latest findings in child and adolescent development and provides educators'
  ➜ Skipping stray line: 'the opportunity to apply educational psychology to various instructional settings. Students will explore the areas of applied educational psychology to'
  ➜ Skipping stray line: 'teaching, cognitive development, social development, and cultural development. They will design, develop, modify, and evaluate curriculum and'
  ➜ Skipping stray line: 'instruction in various educational settings according to child/adolescent development.'
  ➜ Skipping stray line: 'JYT2 - Curriculum Design - Curriculum Design focuses on exploring curriculum design theory, educational standards, and design frameworks for'
  ➜ Skipping stray line: 'what to teach. Together these topics will provide educators with the ability to take principles of curriculum design theory and related models and apply'
  ➜ Skipping stray line: 'them when developing, designing, and modifying curriculum to meet learning needs in their instructional setting.'
  ➜ Skipping stray line: 'JZT2 - Curriculum Evaluation - Curriculum Evaluation focuses on exploring evaluation systems and student data to determine the effectiveness of'
  ➜ Skipping stray line: 'curriculum. It also focuses on differentiating curriculum based on student data.'
  ➜ Skipping stray line: 'KAT2 - Assessment for Student Learning - Assessment for Student Learning focuses on developing the knowledge and skills to identify, develop,'
  ➜ Skipping stray line: 'and design instrument tools for evaluating student learning. It also explores the use of objective and performance-based, formative, and summative'
  ➜ Skipping stray line: 'assessments and their results in the evaluation of curriculum and instruction for student learning.'
  ➜ Skipping stray line: 'KBT2 - Differentiated Instruction - Differentiated Instruction focuses on developing and implementing curriculum and instruction that that best meets'
  ➜ Skipping stray line: 'the needs of all learners within a given instructional setting.'
  ➜ Skipping stray line: 'LEC1 - Comprehensive Educational Leadership Integration - You will complete a comprehensive objective proctored assessment in Educational'
  ➜ Skipping stray line: 'Leadership theory and practices, including administrative theory, school law, school finance, curriculum development and implementation, personnel'
  ➜ Skipping stray line: 'management, public relations, and technology. You will be required to pass the Comprehensive Educational Leadership Integration objective'
  ➜ Skipping stray line: 'assessment.'
  ➜ Skipping stray line: 'LFT1 - Student, Stakeholder, and Market Focus for Educational Leaders - This subdomain reviews principles and practices of meeting'
  ➜ Skipping stray line: 'stakeholder needs and reviews your case study site’s effectiveness in managing stakeholder relationships.'
  ➜ Skipping stray line: 'LMT1 - Measurement, Analysis, and Knowledge Management for Educational Leaders - This subdomain reviews principles and practices of'
  ➜ Skipping stray line: 'program and curriculum effectiveness evaluation as well as best practices in technology for educational leaders. You also complete a program,'
  ➜ Skipping stray line: 'practice, or curriculum effectiveness evaluation in your case study site as well as an evaluation of technology implementation.'
  ➜ Skipping stray line: 'LNT1 - Process Management for Educational Leaders - This subdomain reviews best practices in process management for educational leaders, as'
  ➜ Skipping stray line: 'well as an evaluation of your case study site’s process management policies and practices.'
  ➜ Skipping stray line: 'LPA1 - Language Production, Theory and Acquisition - Language Production, Theory and Acquisition focuses on describing and understanding'
  ➜ Skipping stray line: 'language and the development of language. It includes the study of acquisition theory, grammar, and applied phonetics.'
  ➜ Skipping stray line: 'LPT1 - Performance Excellence Criteria for Educational Leaders - This subdomain reviews the case study model and prepares you to complete a'
  ➜ Skipping stray line: 'thorough review of the effectiveness of their case study site’s operations, outcomes, and leadership.'
  ➜ Skipping stray line: 'LQT2 - Information Security and Assurance Capstone Project - Students will be able to choose from three areas of emphasis, depending on'
  ➜ Skipping stray line: 'personal and professional interests. Students will complete a capstone project that deals with a significant real-world business problem that further'
  ➜ Skipping stray line: 'integrates the components of the degree. Capstone projects will require an oral defense before a committee of WGU faculty.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 173'
  ➜ Skipping stray line: 'LRT1 - Practicum in Educational Leadership - Foundational Perspectives of Education includes a series of performance tasks to take place under'
  ➜ Skipping stray line: 'the leadership of a practicing state licensed school principal or assistant principal in a practicum school site (K–12). This assessment also includes'
  ➜ Skipping stray line: 'completion of assigned administrative duties to take place in both elementary (K–6) and secondary (7–12) settings under the leadership and'
  ➜ Skipping stray line: 'supervision of the cooperating administrator in your case study school site. Practicum requirements vary by state of intended licensure and WGU'
  ➜ Skipping stray line: 'program requirements, and the standard has been set between 275 and 540 of logged practicum activities that span a minimum of six consecutive'
  ➜ Skipping stray line: 'months. Please refer back to the WGU Student Handbook for reference of your program requirements. You are required to pass the Practicum in'
  ➜ Skipping stray line: 'Educational Leadership performance assessments and successfully submit other documentation, including evaluations of your performance'
  ➜ Skipping stray line: 'completed by the cooperating administrator and documentation of completion of state-required hours of assigned administrative duties. The'
  ➜ Skipping stray line: 'Educational Leadership Practicum requires a practicum fee. During the Educational Leadership Practicum, you are also expected to take and pass'
  ➜ Skipping stray line: 'your state's licensure examination(s) required for certification as a school principal and the PRAXIS 5411 Educational Leadership: Administration and'
  ➜ Skipping stray line: 'Supervision exam.'
  ➜ Skipping stray line: 'LST1 - Strategic Planning for Educational Leaders - This subdomain reviews principles and practices of the strategic planning process as well as a'
  ➜ Skipping stray line: 'case study review of the strategic planning processes in your case study site.'
  ➜ Skipping stray line: 'LWT1 - Workforce Focus for Educational Leaders - This subdomain reviews best practices in human resource administration for educational'
  ➜ Skipping stray line: 'leaders, as well as an evaluation of your case study site’s workforce management practices.'
  ➜ Skipping stray line: 'LZT2 - Power, Influence and Leadership - This course focuses on the development of the critical leadership and soft skills necessary for success in'
  ➜ Skipping stray line: 'information technology leadership and management. The course focuses specifically on skills such as cultivating effective leadership communication,'
  ➜ Skipping stray line: 'building personal influence, enhancing emotional intelligence (soft skills), generating ideas and encouraging idea generation in others, conflict'
  ➜ Skipping stray line: 'resolution, and positioning oneself as an influential change agent within different organizational cultures.'
  ➜ Skipping stray line: 'MAT2 - Information Technology Management - This course will prepare students to cope with information technology resources in a manner'
  ➜ Skipping stray line: 'beneficial to their company. Such skill includes estimating both the cost and value of IT to the company, setting priorities for project selection,'
  ➜ Skipping stray line: 'management of IT projects, and handling risk. These responsibilities imply an ability to align technology with an organization’s strategic goals. In total,'
  ➜ Skipping stray line: 'students will develop the ability to effectively administer and manage current and emerging technologies within an organization.'
  ➜ Skipping stray line: 'MBT2 - Technological Globalization - This course is designed to equip students to better understand the fundamental, galvanizing and'
  ➜ Skipping stray line: 'transformational role of advanced IT communications, networks and services in all major industries; advanced IT is an unparalleled force multiplier in'
  ➜ Skipping stray line: 'scientific research, energy production and use, health and medicine. IT is a critical resource in the global community, economically, socially, politically'
  ➜ Skipping stray line: 'and culturally.'
  ➜ Skipping stray line: 'MCT2 - Technical Writing - As IT professionals are frequently required to interface with customers, clients, other departments, organizational leaders,'
  ➜ Skipping stray line: 'and even other institutions, strong communication skills are vital. In this course, students learn to communicate accurately, effectively, and ethically to'
  ➜ Skipping stray line: 'a variety of audiences. Students design communication to fit oral, print, and multi-media contexts. They develop rhetorical sensitivity in both their'
  ➜ Skipping stray line: 'writing and their design decisions.'
  ➜ Skipping stray line: 'MEC1 - Foundations of Measurement and Evaluation - Foundations of Measurement and Evaluation focuses on assessment validity, constructing'
  ➜ Skipping stray line: 'reliable test instruments, identifying appropriate item and instrument types, qualitative data collection tools and techniques, and conducting a formative'
  ➜ Skipping stray line: 'and summative evaluation for an instruction product or program.'
  ➜ Skipping stray line: 'MFT2 - Mathematics (K-6) Portfolio Oral Defense - Mathematics (K-6) Portfolio Oral Defense: Mathematics (K-6) Portfolio Defense focuses on a'
  ➜ Skipping stray line: 'formal presentation. The student will present an overview of their teacher work sample (TWS) portfolio discussing the challenges they faced and how'
  ➜ Skipping stray line: 'they determined whether their goals were accomplished. They will explain the process they went through to develop the TWS portfolio and reflect on'
  ➜ Skipping stray line: 'the methodologies and outcomes of the strategies discussed in the TWS portfolio. Additionally, they will discuss the strengths and weaknesses of'
  ➜ Skipping stray line: 'those strategies and how they can apply what they learned from the TWS portfolio in their professional work environment.'
  ➜ Skipping stray line: 'MGT2 - IT Project Management - IT Project Management provides an overview of the Project Management Institute’s project management'
  ➜ Skipping stray line: 'methodology. Topics cover various process groups and knowledge areas and application of knowledge in case studies for planning a project that has'
  ➜ Skipping stray line: 'not started yet and monitoring/controlling a project that is already underway.'
  ➜ Skipping stray line: 'MMT2 - IT Strategic Solutions - In IT Strategic Solutions the learner will have the opportunity to identify strategic opportunities and emerging'
  ➜ Skipping stray line: 'technologies as they research and decide on a system to support a growing company. Topics will include technology strategy; gap analysis;'
  ➜ Skipping stray line: 'researching new technology; strengths, opportunities, weaknesses, and threats; ethics; risk mitigation; data security, communication plans; and'
  ➜ Skipping stray line: 'globalization.'
  ➜ Skipping stray line: 'NHC1 - Introduction to Instructional Planning and Presentation - Students will develop a basic understanding of effective instructional principles'
  ➜ Skipping stray line: 'and how to differentiate instruction in order to elicit powerful teaching in the classroom.'
  ➜ Skipping stray line: 'NMA1 - Professional Role of the ELL Teacher - The Professional Role of the ELL Teacher focuses on issues of professionalism for the English'
  ➜ Skipping stray line: 'Language Learning teacher and leader. This includes program development, ethics, engagement in professional organizations, serving as a resource,'
  ➜ Skipping stray line: 'and ELL advocacy.'
  ➜ Skipping stray line: 'NNA1 - Planning, Implementing, Managing Instruction - Planning, Implementing, Managing Instruction focuses on a variety of philosophies and'
  ➜ Skipping stray line: 'grade levels of English Language Learner (ELL) instruction. It includes the study of ELL listening and speaking, ELL reading and writing, specially'
  ➜ Skipping stray line: 'designed academic instruction in English (SDAIE), and specific issues for various grade level instruction.'
  ➜ Skipping stray line: 'OOT2 - Mathematics History and Technology - Mathematics History and Technology introduces a variety of technological tools for doing'
  ➜ Skipping stray line: 'mathematics, and you will develop a broad understanding of the historical development of mathematics. You will come to understand that'
  ➜ Skipping stray line: 'mathematics is a very human subject that comes from the macro-level sweep of cultural and societal change, as well as the micro-level actions of'
  ➜ Skipping stray line: 'individuals with personal, professional, and philosophical motivations. Most importantly, you will learn to evaluate and apply technological tools and'
  ➜ Skipping stray line: 'historical information to create an enriching student-centered mathematical learning environment. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'OPT2 - Mathematics Learning and Teaching - Mathematics Learning and Teaching will help you develop the knowledge and skills necessary to'
  ➜ Skipping stray line: 'become a prospective and practicing educator. You will be able to use a variety of instructional strategies to effectively facilitate the learning of'
  ➜ Skipping stray line: 'mathematics. This course focuses on selecting appropriate resources, using multiple strategies, and instructional planning, with methods based on'
  ➜ Skipping stray line: 'research and problem solving. A deep understanding of the knowledge, skills, and disposition of mathematics pedagogy is necessary to become an'
  ➜ Skipping stray line: 'effective secondary mathematics educator. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'PFHM - Business - HR Management Portfolio Requirement - Students prepare a culminating professional portfolio to demonstrate the'
  ➜ Skipping stray line: 'competencies they have learned throughout their program. The portfolio includes a strengths essay, a career report, a reflection essay, a résumé, and'
  ➜ Skipping stray line: 'exhibits demonstrating personal strengths in the work place.'
  ➜ Skipping stray line: 'PFIT - Business - IT Management Portfolio Requirement - Business - IT Management Portfolio Requirement is designed to help the learner'
  ➜ Skipping stray line: 'complete the culminating Undergraduate Business Portfolio assessment; it focuses on developing a business portfolio containing a strengths essay, a'
  ➜ Skipping stray line: 'career report, a reflection essay, a resume, and exhibits that support one’s strengths in the work place.'
  ➜ Skipping stray line: 'QDT1 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'
  ➜ Skipping stray line: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'
  ➜ Skipping stray line: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'
  ➜ Skipping stray line: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'
  ➜ Skipping stray line: 'Algebra is a prerequisite for this course.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 174'
  ➜ Skipping stray line: 'QDT2 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'
  ➜ Skipping stray line: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'
  ➜ Skipping stray line: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'
  ➜ Skipping stray line: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'
  ➜ Skipping stray line: 'Algebra is a prerequisite for this course.'
  ➜ Skipping stray line: 'QET1 - Business - HR Management Capstone Project - For the Business - HR Management Capstone Project students will integrate and'
  ➜ Skipping stray line: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ➜ Skipping stray line: 'professional field. A comprehensive business plan is developed for a company that offers HR products or services. The business plan includes a'
  ➜ Skipping stray line: 'market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ➜ Skipping stray line: 'QFT1 - Business - IT Management Capstone Project - The capstone requires students to demonstrate the integration and synthesis of'
  ➜ Skipping stray line: 'competencies in all domains required for the degree in Information Technology Management. The student produces a business plan for a start-up'
  ➜ Skipping stray line: 'company that is selected and approved by the student and mentor.'
  ➜ Skipping stray line: 'QGT1 - Business Management Capstone Written Project - For the Business Management Capstone Written Project students will integrate and'
  ➜ Skipping stray line: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ➜ Skipping stray line: 'professional field. A comprehensive business plan is developed for a company that plans to sell a product or service in a local market, national'
  ➜ Skipping stray line: 'market, or on the Internet. The business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to'
  ➜ Skipping stray line: 'the chosen company.'
  ➜ Skipping stray line: 'QHT1 - Business Management Tasks - Business Management Tasks addresses important concepts needed to effectively manage a'
  ➜ Skipping stray line: 'business. Topics include the cost-quality relationship, the use of various types of graphical charts in operations management, managing innovation,'
  ➜ Skipping stray line: 'and developing strategies for working with individuals and groups.'
  ➜ Skipping stray line: 'QIT1 - Business Marketing Management Capstone Written Project - For the Business Marketing Management Capstone Project students will'
  ➜ Skipping stray line: 'integrate and synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their'
  ➜ Skipping stray line: 'chosen professional field. A comprehensive business plan is developed for a company that provides some type of marketing product or service. The'
  ➜ Skipping stray line: 'business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ➜ Skipping stray line: 'QJT2 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to use'
  ➜ Skipping stray line: 'differential calculus of one variable and appropriate technology to solve basic problems. Topics include graphing functions and finding their domains'
  ➜ Skipping stray line: 'and ranges; limits, continuity, differentiability, visual, analytical, and conceptual approaches to the definition of the derivative; the power, chain, and'
  ➜ Skipping stray line: 'sum rules applied to polynomial and exponential functions, position and velocity; and L'Hopital's Rule. Candidates should have completed a course in'
  ➜ Skipping stray line: 'Pre-Calculus before engaging in this course.'
  ➜ Skipping stray line: 'QTT2 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ➜ Skipping stray line: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ➜ Skipping stray line: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ➜ Skipping stray line: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'RKT1 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ➜ Skipping stray line: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ➜ Skipping stray line: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ➜ Skipping stray line: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ➜ Skipping stray line: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ➜ Skipping stray line: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'RKT2 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ➜ Skipping stray line: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ➜ Skipping stray line: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ➜ Skipping stray line: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ➜ Skipping stray line: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ➜ Skipping stray line: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'RNT1 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ➜ Skipping stray line: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ➜ Skipping stray line: 'RNT2 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ➜ Skipping stray line: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ➜ Skipping stray line: 'RXT2 - Precalculus and Calculus - Precalculus and Calculus provides instruction in precalculus and calculus and applies them to examples found in'
  ➜ Skipping stray line: 'both mathematics and science. Topics in precalculus include principles of trigonometry, mathematical modeling, and logarithmic, exponential,'
  ➜ Skipping stray line: 'polynomial, and rational functions. Topics in calculus include conceptual knowledge of limit, continuity, differentiability, and integration.'
  ➜ Skipping stray line: 'SJT2 - Advanced Networking Technology - This course prepares students to support the ever growing interconnectivity needs of organizations.'
  ➜ Skipping stray line: 'Students will learn about advanced networking concepts, devices and strategies to provide superior network connectivity to organizations. A review of'
  ➜ Skipping stray line: 'common yet critical network devices and technologies will be provided such as switches, routers, hubs, firewalls, T-1s, ATM, fiber and others.'
  ➜ Skipping stray line: 'Students will also be prepared to review existing network environments and provide specifications to upgrade and enhance such networks.'
  ➜ Skipping stray line: 'SLO1 - Theories of Second Language Acquisition and Grammar - Theories of Second Language Learning Acquisition and Grammar covers'
  ➜ Skipping stray line: 'content material in applied linguistics, including morphology, syntax, semantics, and grammar. Students will explore the role of dialect in the'
  ➜ Skipping stray line: 'classroom, the connections between language and culture, and the theories of first and second language acquisition.'
  ➜ Skipping stray line: 'TAT2 - Technology Production - Technology Production focuses on the foundations of media and technology, integrated technology development,'
  ➜ Skipping stray line: 'and the integration of technology into appropriate instructional uses of productivity, and applying different research applications in the learning'
  ➜ Skipping stray line: 'environment.'
  ➜ Skipping stray line: 'TDT1 - Technology Design Portfolio - Technology Design Portfolio focuses on gaining a broad overview of the field of technology integration with a'
  ➜ Skipping stray line: 'fundamental understanding of some key concepts and principles, and enhancing technology skills to enable the producing of exportable instructional'
  ➜ Skipping stray line: 'and professional products using various integrated application programs.'
  ➜ Skipping stray line: 'TET1 - Issues in Technology Integration - Issues in Technology Integration focuses on the legal and ethical practice of technology, some personal'
  ➜ Skipping stray line: 'uses of electronic resources, the need for protection of information, the foundations of media and technology, what electronic learning communities'
  ➜ Skipping stray line: 'are, and the adaptive technologies for special populations.'
  ➜ Skipping stray line: 'TFT2 - Cyberlaw, Regulations, and Compliance - Cyberlaw, Regulations and Compliance prepares students to participate in legal analysis of'
  ➜ Skipping stray line: 'relevant cyberlaws and address governance, standards, policies, and legislation. Students will conduct a security risk analysis for an enterprise'
  ➜ Skipping stray line: 'system. In addition, students will determine cyber requirements for third‐party vendor agreements. Students will also evaluate provisions of both the'
  ➜ Skipping stray line: '2001 and 2006 USA PATRIOT Acts.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 175'
  ➜ Skipping stray line: 'TOC2 - Probability and Statistics I - Probability and Statistics I covers the knowledge and skills necessary to apply basic probability, descriptive'
  ➜ Skipping stray line: 'statistics, and statistical reasoning, and to use appropriate technology to model and solve real-life problems. It provides an introduction to the science'
  ➜ Skipping stray line: 'of collecting, processing, analyzing, and interpreting data. Topics include creating and interpreting numerical summaries and visual displays of data;'
  ➜ Skipping stray line: 'regression lines and correlation; evaluating sampling methods and their effect on possible conclusions; designing observational studies, controlled'
  ➜ Skipping stray line: 'experiments, and surveys; and determining probabilities using simulations, diagrams, and probability rules. College Algebra is a prerequisite for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'TQC1 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Skipping stray line: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Skipping stray line: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Skipping stray line: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Skipping stray line: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Skipping stray line: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Skipping stray line: 'TQC2 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Skipping stray line: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Skipping stray line: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Skipping stray line: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Skipping stray line: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Skipping stray line: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Skipping stray line: 'TSC2 - General Chemistry I - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Skipping stray line: 'solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic table and chemical'
  ➜ Skipping stray line: 'nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work focuses on using'
  ➜ Skipping stray line: 'effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TSP1 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Skipping stray line: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Skipping stray line: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TSP2 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Skipping stray line: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Skipping stray line: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TUC2 - General Chemistry II - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Skipping stray line: 'solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models, oxidation-reduction'
  ➜ Skipping stray line: 'reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on using effective'
  ➜ Skipping stray line: 'laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TUP1 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Skipping stray line: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Skipping stray line: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TUP2 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Skipping stray line: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Skipping stray line: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TVT2 - Governance, Finance, Law, and Leadership for Principals - This subdomain contains content in educational law, finance, and'
  ➜ Skipping stray line: 'administration as well as a case study review of your site’s leadership practices.'
  ➜ Skipping stray line: 'UFC1 - Managerial Accounting - This course focuses on identifying, gathering, and interpreting information that will be used for evaluating and'
  ➜ Skipping stray line: 'managing the performance of a business. Students will also study cost measurement for producing goods and services and how to analyze and'
  ➜ Skipping stray line: 'control these costs.'
  ➜ Skipping stray line: 'UQT1 - Organic Chemistry - This course focuses on the study of compounds that contain carbon, much of which is learning how to organize and'
  ➜ Skipping stray line: 'group these compounds based on common bonds found within them in order to predict their structure, behavior, and reactivity.'
  ➜ Skipping stray line: 'VLT2 - Security Policies and Standards - Best Practices - This course focuses on the practices of planning and implementing organization-wide'
  ➜ Skipping stray line: 'security and assurance initiatives as well as auditing assurance processes.'
  ➜ Skipping stray line: 'VYC1 - Principles of Accounting - Principles of Accounting focuses on ways in which accounting principles are used in business operations.'
  ➜ Skipping stray line: 'Students will learn about the basics of accounting, including how to use Generally Accepted Accounting Principles (GAAP), ledgers, and journals.'
  ➜ Skipping stray line: 'Students will also be introduced to the steps of the accounting cycle, concepts of assets and liabilities, and general information about accounting'
  ➜ Skipping stray line: 'information systems. This course also presents bank reconciliation methods, balance sheets, and business ethics.'
  ➜ Skipping stray line: 'VZT1 - Marketing Applications - Marketing Applications allows students to apply their knowledge of core marketing principles by creating a'
  ➜ Skipping stray line: 'comprehensive marketing plan. Their plan will apply their knowledge of the marketing planning process, market analysis, and the marketing mix'
  ➜ Skipping stray line: '(product, place, promotion, and price).'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 176'
  ➜ Skipping stray line: 'Course Mentor Directory'
  ➜ Skipping stray line: 'General Education'
  ➜ Skipping stray line: 'Adams, William; M.A., Savanah College of Art and Design'
  ➜ Skipping stray line: 'Aguirre, Jennifer; M.S., Walden University'
  ➜ Skipping stray line: 'Akens, Jonne; Ph. D., Texas A&M University'
  ➜ Skipping stray line: 'Alexander, Ledora; Ed.S., Walden University'
  ➜ Skipping stray line: 'Ashe, James; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Barnes, Lauri; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Baty, Amanda; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Benson, Bryan; Ph.D., Boston College'
  ➜ Skipping stray line: 'Bilbrey, Joshua; Ph.D., Texas State University'
  ➜ Skipping stray line: 'Borden, Anne; Ph.D., Emory University'
  ➜ Skipping stray line: 'Brewer, Craig: Ph.D., University of Notre Dame'
  ➜ Skipping stray line: 'Brown, Bonnie; Ph.D., Stephen F. Austin State University'
  ➜ Skipping stray line: 'Browning, Ellen; Ph.D., University of Texas, Arlington'
  ➜ Skipping stray line: 'Buchanan, Tenielle; Ed.D., Lipscomb University'
  ➜ Skipping stray line: 'Byrnes, Sean; Ph.D., Emory University'
  ➜ Skipping stray line: 'Carmona, Karla; M.S., Western Governors University'
  ➜ Skipping stray line: 'Castaneda, Gilivaldo; M.Ed., University of Texas at San Antonio'
  ➜ Skipping stray line: 'Chaves Ulloa, Ramsa; Ph.D., Dartmouth College'
  ➜ Skipping stray line: 'Chittick, Sharla; Ph.D., University of Stirling'
  ➜ Skipping stray line: 'Condit, Lorna; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Cowan, Christy; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Crawford, Nathan; Ph.D., University of Tennessee-Knoxville'
  ➜ Skipping stray line: 'Crooks, Kathleen; Ph.D., University of Akron'
  ➜ Skipping stray line: 'Cross, Cameron; M.S., Kaplan University'
  ➜ Skipping stray line: 'Cureton, Sara; M.A., Gonzaga Univeristy'
  ➜ Skipping stray line: 'Cutler, Ned; Ph.D., Duke University'
  ➜ Skipping stray line: 'Dodge, Joshua; M.A., University of Central Florida'
  ➜ Skipping stray line: 'Dorre, Gina; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Douglas, Katherine; M.A., University of California, San Diego'
  ➜ Skipping stray line: 'Duff, Kandi; Ed.D., Idaho State University'
  ➜ Skipping stray line: 'Dungar, Michael; MA, Boston College'
  ➜ Skipping stray line: 'Edmunds, Jeffrey; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Evans, Robin; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Evenson Newhouse, Ranae; Ph.D., Vanderbilt University'
  ➜ Skipping stray line: 'Faucett, Jessica; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Fehnel, Bradley; M.S., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Fellow, Jill; M.S., Brigham Young University'
  ➜ Skipping stray line: 'Franco, Heidi; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Frusciante, Denise; Ph.D., University of Miami'
  ➜ Skipping stray line: 'Galindez, Dahlia; MA, Western Governors University'
  ➜ Skipping stray line: 'Gangaram, Jitendra; Ph.D., North Central University'
  ➜ Skipping stray line: 'Garrett, Janette; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Goodwin, Rachel; Ph.D., University of Texas'
  ➜ Skipping stray line: 'Gordon, Kelley; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Gravitte, Kristen; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Gradzielewski, Andrew; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Halula, Stephen; Ph.D., Marquette University'
  ➜ Skipping stray line: 'Harris, Steven; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Hartwick, Andromeda; Ph.D., University of Michigan'
  ➜ Skipping stray line: 'Hayne, Victoria; Ph.D., University of California - Los Angeles'
  ➜ Skipping stray line: 'Hernandez, Ali; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Hillyer, Aaron; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Horne, Lisa; M.A., Brigham Young University'
  ➜ Skipping stray line: 'Hurley, Norman; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Jensen, Taylor; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Johnson, Stephanie; MBA, Lindenwood University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 177'
  ➜ Skipping stray line: 'Jones, Lee; Ph.D., Clark Atlanta University'
  ➜ Skipping stray line: 'Kelley, Matthew; Ph.D., University of Nevada-Las Vegas'
  ➜ Skipping stray line: 'Kelly, Lynn; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Knieps, Linda; Ph.D., Vanderbilt University'
  ➜ Skipping stray line: 'Knous, Helen; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Landry, Stan; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Latham, Kary; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Lauren, Jennifer; Ph.D., Duquesne University'
  ➜ Skipping stray line: 'Leep, Matthew; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Lettau, Lisa; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Little, David; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Lukin, Kara; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Main, Daniel; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Mammen, John; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Mantooth, Stacy; Ph. D., University of Nevada – Las Vegas'
  ➜ Skipping stray line: 'Martin, Jonathan; M.A., West Virginia University'
  ➜ Skipping stray line: 'Mays, Ashley; Ph.D., University of North Carolina at Chapel Hill'
  ➜ Skipping stray line: 'McCune, Timothy; Ph.D., Youngstown State University'
  ➜ Skipping stray line: 'McWatters, Mason; Ph.D., University of Texas at Austin'
  ➜ Skipping stray line: 'Metoki, Kiyoko; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Meyer, Nicholas; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Miller, Don; Ph.D., Morehouse School of Medicine'
  ➜ Skipping stray line: 'Miller, Kathleen; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Moody, Vivian; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Mosgrove, Sharon; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Moss, Meg; Ph.D., University of Tennessee-Knoxville'
  ➜ Skipping stray line: 'Mzoughi, Taha; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Nelson, Angela; Ph.D., Cornell University'
  ➜ Skipping stray line: 'Nicley, Erinn; M.S., Florida State University'
  ➜ Skipping stray line: 'Norton, Cindy; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Olson, Nels; Ph.D., Michigan State University'
  ➜ Skipping stray line: 'Oulette, David; Ph.D., Virginia Commonwealth University'
  ➜ Skipping stray line: 'Palmer, Michael; M.F.A., University of Utah'
  ➜ Skipping stray line: 'Pankowski, Peg; Ed.D., Duquesne University'
  ➜ Skipping stray line: 'Parrish, Anca; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Parton, Sabrena; Ph.D., University of Southern Mississippi'
  ➜ Skipping stray line: 'Parvin, Kathleen; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Peppers, Shelitha; Ed.D., Maryville University'
  ➜ Skipping stray line: 'Perkins, Heidi; M.S., Excelsior College'
  ➜ Skipping stray line: 'Phillips, Dedra; M.A., Colorado Technical University'
  ➜ Skipping stray line: 'Potter, Christine; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Quintela, Melissa; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Radosavljevic, Alexander; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Redden, Cameron; MAT, Baldwin Wallace University'
  ➜ Skipping stray line: 'Redkey, Elizabeth; Ph.D., University at Albany, State University of New York'
  ➜ Skipping stray line: 'Remington, Theodore; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Rhodes, Kristofer; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Robinson, Ami; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Robinson, Jeffery; Ph.D., Drew University'
  ➜ Skipping stray line: 'Rosenblatt, Heather; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Rossi, Cynthia; Ph.D., University of Maryland'
  ➜ Skipping stray line: 'Saddler, Derrick; Ph.D., University of South Florida'
  ➜ Skipping stray line: 'Sanchez, Melvin; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Scheg, Abigail; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Scheib, Douglas; Ph.D., University of Miami'
  ➜ Skipping stray line: 'Scotece, Shannon; Ph.D., State University of New York - Albany'
  ➜ Skipping stray line: 'Shahi, Kimberley; Ph.D., University of Texas at Arlington'
  ➜ Skipping stray line: 'Sharpe, Robert; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Shimotsu-Dariol, Stephanie; Ph.D., West Virginia University'
  ➜ Skipping stray line: 'Simeon, Patricia; Ed.D., Grambling State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 178'
  ➜ Skipping stray line: 'Simmons, Nathaniel; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Smith, Tommie; MBA, Middle Tennessee State University'
  ➜ Skipping stray line: 'Springfield, Derriell; Ed.D., East Tennessee State University'
  ➜ Skipping stray line: 'St Martin, Ashley; M.S., University of Vermont'
  ➜ Skipping stray line: 'Stambaugh, Nathaniel; Ph.D., Brandeis University'
  ➜ Skipping stray line: 'Starr, Neil; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Timmer, Kristin; Ph.D., University of Tennessee Health Science Center'
  ➜ Skipping stray line: 'Tolin Schultz, Alexandra; Ph.D., Stony Brook University'
  ➜ Skipping stray line: 'Tucker, Diana; Ph.D., Southern Illinois University Carbondale'
  ➜ Skipping stray line: 'Tweedy, Joanna; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Verber, Jason; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Vida, Anna; M.A., Arizona State University'
  ➜ Skipping stray line: 'Walker, Hope; M.A., The American University'
  ➜ Skipping stray line: 'Weaver, Matthew; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Webb, James; M.A., Pacific University'
  ➜ Skipping stray line: 'Wellinghoff, Lisa; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Westmoreland, Brandi; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Whitson-Whennen, Tonya; M.M., University of Utah'
  ➜ Skipping stray line: 'Woolridge, Mary; Ph.D., University of Central Florida'
  ➜ Skipping stray line: 'Young, Michael; Ph.D., University of Missouri at Saint Louis'
  ➜ Skipping stray line: 'Zasadny, Jill; Ph.D., Kansas University'
  ➜ Skipping stray line: 'Teachers College'
  ➜ Skipping stray line: 'Aafif, Amal; Ph.D., Drexel University'
  ➜ Skipping stray line: 'Affleck, Alisa; M.A., Western Governors University'
  ➜ Skipping stray line: 'Allen, Elizabeth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Aranda, Christina; M.A., University of Utah'
  ➜ Skipping stray line: 'Aufderhaar, Carolyn; Ed.D., University of Cincinnati'
  ➜ Skipping stray line: 'Baxter, Marissa; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Belchik-Moser, Sara; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Betts, Anastasia; Ph.D., Regent University'
  ➜ Skipping stray line: 'Blanks, Dorothy; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Boen, Laurie; Ph.D., University of Arkansas'
  ➜ Skipping stray line: 'Boyd-Bradwell, Natasha; Ph.D., Capella University'
  ➜ Skipping stray line: 'Branan, Daniel; Ph.D., University of Denver'
  ➜ Skipping stray line: 'Branch, Leah; Ed.D., Bethel University'
  ➜ Skipping stray line: 'Brogan, Lynn; Ed.D., Columbia University'
  ➜ Skipping stray line: 'Brooks, Marlaina; Ed.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Calero, Lisa; Ph.D., Capella University'
  ➜ Skipping stray line: 'Carey, Kimberly; Ph.D., Old Dominion University'
  ➜ Skipping stray line: 'Cartwright, Nancy; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'Cohen, Kimberley; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Constanza, Michele; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Covey, Nicole; Ed.D., University of Memphis'
  ➜ Skipping stray line: 'Douglas, Deanna; Ph.D., Wichita State University'
  ➜ Skipping stray line: 'Dove, Teresa; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Dukes, Debra; Ed.D., University of Georgia'
  ➜ Skipping stray line: 'Durakiewicz, Anna; M.S., University of Marie Curie'
  ➜ Skipping stray line: 'Eisenhour, Melanie; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Feng, Suiping; Ph.D., City University of New York'
  ➜ Skipping stray line: 'Fillpot, Elsie; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Flavin, Kathryn; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Flores, Alberto; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Francis, David; M.A., Western Governors University'
  ➜ Skipping stray line: 'Giddens, Evelyn; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gillman, Brenna; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Gray-Dowdy, Audra; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Hall, Robert; Ph.D., Capella University'
  ➜ Skipping stray line: 'Halverson, Colleen; Ph.D., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Harbin, Lesley; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 179'
  ➜ Skipping stray line: 'Hardin, Bridgette; Ed.D., Texas A&M University-Corpus Christi'
  ➜ Skipping stray line: 'Hedman, Shawn; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Henry, Joanna; M.E., Lamar University'
  ➜ Skipping stray line: 'Hernandez, Julie; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Hiebel, Adam; Ed.D., Ohio University'
  ➜ Skipping stray line: 'Hudon-Miller, Sarah; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Hughes, Amy; Ed.D., University of Montana'
  ➜ Skipping stray line: 'Hutson, Tommye; Ed.D., Baylor University'
  ➜ Skipping stray line: 'Igbinoba-Cummings, Monique; Ph.D., Lynn University'
  ➜ Skipping stray line: 'Izumi, Alisa; Ed.D., University of Massachusetts'
  ➜ Skipping stray line: 'Jacobs, Patricia; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Janitzki, Dean; M.A., University of Toledo'
  ➜ Skipping stray line: 'Johnson, Sherri; Ph.D., Capella University'
  ➜ Skipping stray line: 'Jovic, Marko; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Kain, Meri; Ed.D., University of Missouri'
  ➜ Skipping stray line: 'Kelly, Gretchen; Ed.D., Walden University'
  ➜ Skipping stray line: 'Leinbach, William; Ed.D., Oregon State University'
  ➜ Skipping stray line: 'Lindemann, Steven; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Linkenhoker, Dina; Ed.D., Liberty University'
  ➜ Skipping stray line: 'Lipscomb, Pauline; Ed.D., University of the Cumberlands'
  ➜ Skipping stray line: 'Luster, Sandricia; Ed.S., Argosy University'
  ➜ Skipping stray line: 'McCarver, Patricia; Ph.D., California Institute of Integral Studies'
  ➜ Skipping stray line: 'McDaniel, Maryann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'McGrath Hovland, Michelle; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Mendes, John; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Miller, Esther; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Mills, Ginger; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Moore, Tontaleya; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Morgan, Matthew; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Mour, Jennifer; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Murray, Mary; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Obianyo, Obiamaka; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Odom, M. Katherine; Ph.D., University of South Alabama'
  ➜ Skipping stray line: 'O’Malley, Maureen; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Pack, Mamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Parry, Kelly; Ph.D., University of North Texas'
  ➜ Skipping stray line: 'Purnell, Courtney; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Quinn, Lori; M.A.Ed., Prairie View A&M University'
  ➜ Skipping stray line: 'Rahsaz, Jacqueline; M.A., University of California San Diego'
  ➜ Skipping stray line: 'Randonis, Jennifer; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Rawson, Robert; Ph.D., University of Texas Southwestern'
  ➜ Skipping stray line: 'Richen, Damara; Ed.D., Fielding Graduate University'
  ➜ Skipping stray line: 'Robles, Veronica; Ed.D., Arizona State University'
  ➜ Skipping stray line: 'Rogers, Carmelle; Ph.D., Kansas State University'
  ➜ Skipping stray line: 'Russell-Fry, Nancy; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Scales, Rebecca; M.A., Western Governors University'
  ➜ Skipping stray line: 'Schmidt, Stan; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Sepetys, Peggy; Ed.D., University of Michigan'
  ➜ Skipping stray line: 'Shrader, Vincent; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Silver, Jennifer; Ph.D., New York University'
  ➜ Skipping stray line: 'Sims, Rachel; Ed.D., Walden University'
  ➜ Skipping stray line: 'Smith, Janeal; Ph.D., Walden University'
  ➜ Skipping stray line: 'Spencer, Kristin; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Story, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Swenson, Karl; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Thompson, Julie; Ph.D., University of Rochester'
  ➜ Skipping stray line: 'Traub-Metlay, Suzanne; Ph.D., University of Pittsburg'
  ➜ Skipping stray line: 'Tresnak, Robyn; Ph.D., Walden University'
  ➜ Skipping stray line: 'Turner, Carmen; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Vickers, Paul; Ed.D., Stephen F. Austin State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 180'
  ➜ Skipping stray line: 'Walter-Sullivan, Earnestyne; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'Weinstein, Gideon; Ph.D., Indiana University Bloomington'
  ➜ Skipping stray line: 'Whitmire, Jane; Ph.D., University of Montana'
  ➜ Skipping stray line: 'Willey-Rendon, Ruby; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Williams, Lacey; Ed.D., Union Institute and University'
  ➜ Skipping stray line: 'Wisnosky, Marc; Ph.D., University of Pittsburgh'
  ➜ Skipping stray line: 'Yanusheva, Lidiya; Ed.D., Walden University'
  ➜ Skipping stray line: 'Yatherajam, Gayatri; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Zartman, Krista; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Zimmerli, Mandy; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'College of Business'
  ➜ Skipping stray line: 'Abubakari, Nina; J.D., Wayne State University'
  ➜ Skipping stray line: 'Adler, Kathleen; Ph.D., Southern Methodist University'
  ➜ Skipping stray line: 'Alafita, Theresa; Ph.D., George Washington University'
  ➜ Skipping stray line: 'Arenz, Russell; Ph.D., Colorado Technical University'
  ➜ Skipping stray line: 'Argiento, Steven; J.D., Pace University'
  ➜ Skipping stray line: 'Austin, Judy; MBA, Western Governors University'
  ➜ Skipping stray line: 'Baragoshi, Behroz; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Barton, Robert; Ed.S., Utah State University'
  ➜ Skipping stray line: 'Black, Hilda; Ph.D., Louisiana Tech University'
  ➜ Skipping stray line: 'Borch, Casey; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Boysen-Rotelli, Sheila; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Brownstein, Steven; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Carson, Pook; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Cassell, Kenneth; MBA, San Jose State University'
  ➜ Skipping stray line: 'Cherry, Patricia; Ph.D., Capella University'
  ➜ Skipping stray line: 'Clarke, Jeffrey; Ph.D., University of California-Los Angeles'
  ➜ Skipping stray line: 'Connor, Martin; J.D., University of North Dakota'
  ➜ Skipping stray line: 'Davis, Lorretta; Ph.D., Capella University'
  ➜ Skipping stray line: 'Davis, Mary; Ed.D., Central Michigan University'
  ➜ Skipping stray line: 'Doctorman, Lindsey; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Doren, Andrew; D.M., University of Maryland'
  ➜ Skipping stray line: 'Dula, Kimberly; Ph.D., Mercer University'
  ➜ Skipping stray line: 'Duran, Anthony; DBA, Grand Canyon University'
  ➜ Skipping stray line: 'Ennis, Erica; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Etter, Edwin; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Feehery, George; DBA, Nova Southeastern University'
  ➜ Skipping stray line: 'Fisher, Paul; Ph.D., Oregon State University'
  ➜ Skipping stray line: 'Gallo, Merry; DBA, Argosy University'
  ➜ Skipping stray line: 'Garland, Jennifer; DBA, Keiser University'
  ➜ Skipping stray line: 'Geddes, Bruce; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gilyot, Bianca; MBA, Northcentral University'
  ➜ Skipping stray line: 'Giscombe, Hilbert; DBA, Argosy University'
  ➜ Skipping stray line: 'Gough, Gregory; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Green, Maurice; Ph.D., University at Albany – State University of New York'
  ➜ Skipping stray line: 'Gunn, Linda; Ph.D., Union Institute and University'
  ➜ Skipping stray line: 'Havins, Merwin; Ed.D., Northern Arizona University'
  ➜ Skipping stray line: 'Heinzman, Joseph; DM, Colorado Technical University'
  ➜ Skipping stray line: 'Hon, Charles; Ph.D., Capella University'
  ➜ Skipping stray line: 'Hudson, Brandi; J.D., Regent University'
  ➜ Skipping stray line: 'Iannucci, Brian; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Imboden, Paul; DBA., Northcentral University'
  ➜ Skipping stray line: 'Jividen, Jim; J.D., Ohio Northern University'
  ➜ Skipping stray line: 'Jones, Alan; MBA, Dartmouth College'
  ➜ Skipping stray line: 'Justice, Jeanne; DBA, Walden University'
  ➜ Skipping stray line: 'Kale, Mrinalini; Ph.D., Capella University'
  ➜ Skipping stray line: 'Kenny, Timothy; M.S., Regis University'
  ➜ Skipping stray line: 'Kowalski, Christine; Ed.D., National Louis University'
  ➜ Skipping stray line: 'Kushniroff, Melinda; Ed.D., Liberty University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 181'
  ➜ Skipping stray line: 'La Hay, Ann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Lagroue, Harold; Ph.D., Louisiana State University'
  ➜ Skipping stray line: 'Lamer, Maryann; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Langdon, Debra; MBA, Denver University'
  ➜ Skipping stray line: 'Lutter-Cooper, Victoria; Ph.D., Capella University'
  ➜ Skipping stray line: 'Marshall, Mario; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'McClesky, Jamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'McNulty, Peggy; Ph.D., University of Colorado-Colorado Springs'
  ➜ Skipping stray line: 'Melton, Rebecca; Ph.D., Chicago School of Professional Psychology'
  ➜ Skipping stray line: 'Mills, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Moore, Detria; J.D., Liberty University'
  ➜ Skipping stray line: 'Neely, Cecil; MBA, University of North Carolina at Greensboro'
  ➜ Skipping stray line: 'Nelms, Linda; Ph.D., Capella University'
  ➜ Skipping stray line: 'Nelson, Camille; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'O’Brien, Joseph; Ed.D., George Washington University'
  ➜ Skipping stray line: 'Openshaw, Matthew; Ph.D., University of Texas at Dallas'
  ➜ Skipping stray line: 'Parish, Beth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Patterson, Julie; Ph.D., University of Illinois at Urbana-Champaign'
  ➜ Skipping stray line: 'Pawarski, Richard; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Phillips, Patti; J.D., Stetson University'
  ➜ Skipping stray line: 'Pratt, Christopher; DHA, University of Phoenix'
  ➜ Skipping stray line: 'Raimo, Steve; DSL, Regent University'
  ➜ Skipping stray line: 'Richardson, Shay; DBA, Walden University'
  ➜ Skipping stray line: 'Roberts, Tracia; M.S., University of Phoenix'
  ➜ Skipping stray line: 'Roberts, Wade; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Rogers, Katie; MBA, University of Utah'
  ➜ Skipping stray line: 'Sawant, Gauri; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Shah, Rob; MBA, DeVry University'
  ➜ Skipping stray line: 'Shepherd, Tracie; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Skinner, Susan; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Snipes, Dawna; J.D., Western Michigan University'
  ➜ Skipping stray line: 'Souder, Michele; MBA, University of Dayton'
  ➜ Skipping stray line: 'Spicer, Ronald; Ph.D., Capella University'
  ➜ Skipping stray line: 'Stewart, Michelle; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Strickland, Cynthia; Ph.D., Touro University International'
  ➜ Skipping stray line: 'Swarthout, Nanette; MBA, Fontbonne University'
  ➜ Skipping stray line: 'Tapp, Timothy; MHA, Washington University'
  ➜ Skipping stray line: 'Thomas, Melanie; J.D., University of North Carolina'
  ➜ Skipping stray line: 'Venkateswar, Sankaran; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Wachter, Eddie; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Wade, Keith; MBA, University of Detroit'
  ➜ Skipping stray line: 'Walker, Natalie; DBA, Keiser University'
  ➜ Skipping stray line: 'Wang, Xiaofei; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Williams, Pegeen; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Williams, Rian; MPA, University of Utah'
  ➜ Skipping stray line: 'Wood, Carrie; M.S., Strayer University'
  ➜ Skipping stray line: 'College of Information Technology'
  ➜ Skipping stray line: 'Al-Husaam, Abdul; Ph.D., Capella University'
  ➜ Skipping stray line: 'Alberici, Mary; Ph.D., University of Missouri-St. Louis'
  ➜ Skipping stray line: 'Allen, Candice; M.A., Capella University'
  ➜ Skipping stray line: 'Antonucci, Amy; M.S., University of Delaware'
  ➜ Skipping stray line: 'Banerjee, Pubali; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'Beverley, Charles; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Blanson, Constance; Ph.D., Capella University'
  ➜ Skipping stray line: 'Bojonny, John; M.S., Marywood University'
  ➜ Skipping stray line: 'Borsum, Pamela; MBA, Western Governors University'
  ➜ Skipping stray line: 'Campbell, Wendy; DBA, Northcentral University'
  ➜ Skipping stray line: 'Carter, Betty; M.S., Troy University'
  ➜ Skipping stray line: 'Cobbs, Dana; M.S., College of William and Mary'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 182'
  ➜ Skipping stray line: 'Cook, Henry; M.S., Clark Atlanta University'
  ➜ Skipping stray line: 'Crawford, Demetria; M.S., Boston University'
  ➜ Skipping stray line: 'Dupree, Yolanda; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Farmer, Jaynee; M.A., University of Arkansas at Little Rock'
  ➜ Skipping stray line: 'Ferdinand, Jeff; M.S., Trident University International'
  ➜ Skipping stray line: 'Gardner, Diana; MBA, Western Governors University'
  ➜ Skipping stray line: 'Garza, Brian; M.S., Western Governors University'
  ➜ Skipping stray line: 'Goodwin, Orenthio; Ph.D., Capella University'
  ➜ Skipping stray line: 'Heiner, Jenny; M.S., Capitol College'
  ➜ Skipping stray line: 'Huff, David; Ph.D., Wayne State University'
  ➜ Skipping stray line: 'Jensen, Bryan; M.S., Bellvue University'
  ➜ Skipping stray line: 'Kercher, Paul; M.S., Missouri University of Science and Technology'
  ➜ Skipping stray line: 'LaMolinare, Deana; M.S., Duquesne University'
  ➜ Skipping stray line: 'Lang, Cythia; MSCHe, University of Maryland'
  ➜ Skipping stray line: 'Lavieri, Edward; DCS, Colorado Technical University'
  ➜ Skipping stray line: 'Light, Gerri; M.S., Walden University'
  ➜ Skipping stray line: 'Lively, Charles; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'McFarlane, Michele; M.S., DeVry University'
  ➜ Skipping stray line: 'McLaughlin, Mike; M.S., University of Maine'
  ➜ Skipping stray line: 'Mendell, Ronald; M.S., Capitol College'
  ➜ Skipping stray line: 'Milham, Thomas; MNCM, DeVry University'
  ➜ Skipping stray line: 'Moore, Ronald; M.A., Troy University'
  ➜ Skipping stray line: 'Morrill, Ralph; Ph.D., North Central University'
  ➜ Skipping stray line: 'Ntinglet-Davis, Emelda; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Ozmer, Connie; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Paddock, Charles; Ph.D., University of Houston'
  ➜ Skipping stray line: 'Peterson, Michael; Ph.D., Capella University'
  ➜ Skipping stray line: 'Pinaire, Ken; MBA, University of Texas at Dallas'
  ➜ Skipping stray line: 'Rawlinson, David; J.D., South Texas College of Law'
  ➜ Skipping stray line: 'Schaefer, Brett; MBA, DeVry University'
  ➜ Skipping stray line: 'Shenk, Maria; M.S., City University of Seattle'
  ➜ Skipping stray line: 'Scutro, Rebecca; M.S., Saint Joseph’s University'
  ➜ Skipping stray line: 'Sewell, William; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Sher-DeCusatis, Carolyn; M.A., State University of New York at Stony Brook'
  ➜ Skipping stray line: 'Shields, Jessica; MFA, Savannah College of Art and Design'
  ➜ Skipping stray line: 'Sistelos, Antonio; Ph.D., Indiana State University'
  ➜ Skipping stray line: 'Stromberg, Scott; M.S., Nova Southeastern University'
  ➜ Skipping stray line: 'Swanson, Tom; Ph.D., Capella University'
  ➜ Skipping stray line: 'Taylor, Julinda; M.S., Wichita State University'
  ➜ Skipping stray line: 'Travis, Susan; M.A., University of Phoenix'
  ➜ Skipping stray line: 'College of Health Professions'
  ➜ Skipping stray line: 'Abdur-Rahman, Veronica; Ph.D., Texas Woman’s University'
  ➜ Skipping stray line: 'Abee, Debra; M.S., University of North Carolina Greensboro'
  ➜ Skipping stray line: 'Abraham, Gail; MSN/ED, University of Phoenix'
  ➜ Skipping stray line: 'Adams, Lora; M.S., Michigan State University'
  ➜ Skipping stray line: 'Adkins, Dee; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Allen, Juanita; DNP, University of Utah'
  ➜ Skipping stray line: 'Ashby, Shelley; DNP, University of Southern Indiana'
  ➜ Skipping stray line: 'Austgen, Donna; M.S., University of Indianapolis'
  ➜ Skipping stray line: 'Barber, Kendar; M.S., Indiana University'
  ➜ Skipping stray line: 'Battle, Linda; DNP, Regis College'
  ➜ Skipping stray line: 'Benoit, Heidi; M.S., Western Governors University'
  ➜ Skipping stray line: 'Benson, Johnett; DNP, Kent State University'
  ➜ Skipping stray line: 'Bergfeld, Marcia; M.S., Lourdes College'
  ➜ Skipping stray line: 'Berndt, Janeen; DNP, Valparaiso University'
  ➜ Skipping stray line: 'Blaine, Stephanie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Cain, Lyn; Ph.D., Grand Canyon University'
  ➜ Skipping stray line: 'Carney, Mary; DNP, Touro University – Nevada'
  ➜ Skipping stray line: 'Chau-Nguyen, Thao; MPH, Tulane University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 183'
  ➜ Skipping stray line: 'Cleveland, Melissa; DNP, Rocky Mountain University'
  ➜ Skipping stray line: 'Cloonan, Kelly; DNP, Case Western Reserve'
  ➜ Skipping stray line: 'Dahdal, Kimberly; M.S., Western Governors University'
  ➜ Skipping stray line: 'Dantzler, Barbara; Ph.D., Trident University'
  ➜ Skipping stray line: 'Diaz, Constance; Ph.D., University of Northern Colorado'
  ➜ Skipping stray line: 'Diaz, Lorna; DNP, Western University of Health Sciences'
  ➜ Skipping stray line: 'Dorin, Michelle; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Dush, Curtis; M.S., East Tennessee State University'
  ➜ Skipping stray line: 'Elmer, Justine; M.S., Kaplan University'
  ➜ Skipping stray line: 'Englert, Mary; DNP, University of North Florida'
  ➜ Skipping stray line: 'Feather, Rebecca; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Frankie, Sandra; M.S., Western Governors University'
  ➜ Skipping stray line: 'Gabel, Ann; M.S., University of Kansas'
  ➜ Skipping stray line: 'Gayol, Marcos; M.S., Aspen University'
  ➜ Skipping stray line: 'Giaquinto, Elisa; M.A., Brown University'
  ➜ Skipping stray line: 'Gogatz, Debra; DNP, Regis University'
  ➜ Skipping stray line: 'Golden, Christina; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Gottesfeld, Ilene; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Gwyn, Elizabeth; M.S., Winston Salem State University'
  ➜ Skipping stray line: 'Hadsell, Christine; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Hansen, Julie; Ph.D., South Dakota State University'
  ➜ Skipping stray line: 'Hartley-Clanton, Patricia; M.S., University of Utah'
  ➜ Skipping stray line: 'Hawkins, Shannon; M.S., Walden University'
  ➜ Skipping stray line: 'Heyer-Schmidt, Theres-Anne; ND, University of Colorado-Denver'
  ➜ Skipping stray line: 'Hill, Dana; Ph.D., Walden University'
  ➜ Skipping stray line: 'Hunt, Eleanor; M.S., Duke University'
  ➜ Skipping stray line: 'Johnson-Anderson, Heidi; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Kangas, Sandra; Ph.D., Georgia State University'
  ➜ Skipping stray line: 'Kogan, Lisa; M.S., Western Governors University'
  ➜ Skipping stray line: 'Langer Atkinson, Heidi; Ph.D., University of Albany'
  ➜ Skipping stray line: 'Lashlee, Marilyn; DNP, Northeastern University'
  ➜ Skipping stray line: 'Long, Jennifer; M.S., Indiana University'
  ➜ Skipping stray line: 'Marshall, Janet; Ph.D., Rush University'
  ➜ Title candidate: 'Masterson, Debra; Ed.D., Liberty University'
  ✔️ Collected description (40 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 6296: 'C798 - Informatics System Analysis and Design - In Informatics System Analysis and Design, a broad understanding of data systems is covered to'

🔍 parse_program: starting at line 6296: 'C798 - Informatics System Analysis and Design - In Informatics System Analysis and Design, a broad understanding of data systems is covered to'
  ➜ Title candidate: 'C798 - Informatics System Analysis and Design - In Informatics System Analysis and Design, a broad understanding of data systems is covered to'
  ❌ Invalid title line: 'C798 - Informatics System Analysis and Design - In Informatics System Analysis and Design, a broad understanding of data systems is covered to'
  ➜ Parsing at 6297: 'build upon the Foundations in Nursing Informatics course. The importance of effective interoperability, functionality, data access, and user satisfaction'

🔍 parse_program: starting at line 6297: 'build upon the Foundations in Nursing Informatics course. The importance of effective interoperability, functionality, data access, and user satisfaction'
  ➜ Title candidate: 'build upon the Foundations in Nursing Informatics course. The importance of effective interoperability, functionality, data access, and user satisfaction'
  ❌ Invalid title line: 'build upon the Foundations in Nursing Informatics course. The importance of effective interoperability, functionality, data access, and user satisfaction'
  ➜ Parsing at 6298: 'are addressed. The student will be analyzing reports and integrating federal regulations, research principles, and principles of environmental health in'

🔍 parse_program: starting at line 6298: 'are addressed. The student will be analyzing reports and integrating federal regulations, research principles, and principles of environmental health in'
  ➜ Title candidate: 'are addressed. The student will be analyzing reports and integrating federal regulations, research principles, and principles of environmental health in'
  ❌ Invalid title line: 'are addressed. The student will be analyzing reports and integrating federal regulations, research principles, and principles of environmental health in'
  ➜ Parsing at 6299: 'the construction of a real-world systems analysis and design project. This course will be directly applicable to healthcare settings as electronic records'

🔍 parse_program: starting at line 6299: 'the construction of a real-world systems analysis and design project. This course will be directly applicable to healthcare settings as electronic records'
  ➜ Title candidate: 'the construction of a real-world systems analysis and design project. This course will be directly applicable to healthcare settings as electronic records'
  ❌ Invalid title line: 'the construction of a real-world systems analysis and design project. This course will be directly applicable to healthcare settings as electronic records'
  ➜ Parsing at 6300: 'management has become compulsory for healthcare providers. All of the information in this course will be directly tied to the delivery of quality patient'

🔍 parse_program: starting at line 6300: 'management has become compulsory for healthcare providers. All of the information in this course will be directly tied to the delivery of quality patient'
  ➜ Title candidate: 'management has become compulsory for healthcare providers. All of the information in this course will be directly tied to the delivery of quality patient'
  ❌ Invalid title line: 'management has become compulsory for healthcare providers. All of the information in this course will be directly tied to the delivery of quality patient'
  ➜ Parsing at 6301: 'care and patient safety.'

🔍 parse_program: starting at line 6301: 'care and patient safety.'
  ➜ Title candidate: 'care and patient safety.'
  ❌ Invalid title line: 'care and patient safety.'
  ➜ Parsing at 6302: 'C799 - Healthcare Ecosystems - Healthcare Ecosystems explores the history and state of healthcare organizations in an ever-changing'

🔍 parse_program: starting at line 6302: 'C799 - Healthcare Ecosystems - Healthcare Ecosystems explores the history and state of healthcare organizations in an ever-changing'
  ➜ Title candidate: 'C799 - Healthcare Ecosystems - Healthcare Ecosystems explores the history and state of healthcare organizations in an ever-changing'
  ❌ Invalid title line: 'C799 - Healthcare Ecosystems - Healthcare Ecosystems explores the history and state of healthcare organizations in an ever-changing'
  ➜ Parsing at 6303: 'environment. This course covers how agencies influence healthcare delivery through legal, licensure, certification, and accreditation standards. The'

🔍 parse_program: starting at line 6303: 'environment. This course covers how agencies influence healthcare delivery through legal, licensure, certification, and accreditation standards. The'
  ➜ Title candidate: 'environment. This course covers how agencies influence healthcare delivery through legal, licensure, certification, and accreditation standards. The'
  ❌ Invalid title line: 'environment. This course covers how agencies influence healthcare delivery through legal, licensure, certification, and accreditation standards. The'
  ➜ Parsing at 6304: 'course will also discuss how new technologies and trends keep healthcare delivery innovative and current.'

🔍 parse_program: starting at line 6304: 'course will also discuss how new technologies and trends keep healthcare delivery innovative and current.'
  ➜ Title candidate: 'course will also discuss how new technologies and trends keep healthcare delivery innovative and current.'
  ❌ Invalid title line: 'course will also discuss how new technologies and trends keep healthcare delivery innovative and current.'
  ➜ Parsing at 6305: 'C800 - Introduction to Healthcare IT Systems - Introduction to Healthcare IT Systems introduces students to information technology as a discipline.'

🔍 parse_program: starting at line 6305: 'C800 - Introduction to Healthcare IT Systems - Introduction to Healthcare IT Systems introduces students to information technology as a discipline.'
  ➜ Title candidate: 'C800 - Introduction to Healthcare IT Systems - Introduction to Healthcare IT Systems introduces students to information technology as a discipline.'
  ❌ Invalid title line: 'C800 - Introduction to Healthcare IT Systems - Introduction to Healthcare IT Systems introduces students to information technology as a discipline.'
  ➜ Parsing at 6306: 'This course also exposes students to the various roles and functions of the health information manager to support the business of healthcare. There'

🔍 parse_program: starting at line 6306: 'This course also exposes students to the various roles and functions of the health information manager to support the business of healthcare. There'
  ➜ Title candidate: 'This course also exposes students to the various roles and functions of the health information manager to support the business of healthcare. There'
  ❌ Invalid title line: 'This course also exposes students to the various roles and functions of the health information manager to support the business of healthcare. There'
  ➜ Parsing at 6307: 'are no prerequisites for this course.'

🔍 parse_program: starting at line 6307: 'are no prerequisites for this course.'
  ➜ Title candidate: 'are no prerequisites for this course.'
  ❌ Invalid title line: 'are no prerequisites for this course.'
  ➜ Parsing at 6308: 'C801 - Health Information Law and Regulations - Health Information Law and Regulations prepares students to manage health information in'

🔍 parse_program: starting at line 6308: 'C801 - Health Information Law and Regulations - Health Information Law and Regulations prepares students to manage health information in'
  ➜ Title candidate: 'C801 - Health Information Law and Regulations - Health Information Law and Regulations prepares students to manage health information in'
  ❌ Invalid title line: 'C801 - Health Information Law and Regulations - Health Information Law and Regulations prepares students to manage health information in'
  ➜ Parsing at 6309: 'compliance with legal guidelines and teaches how to respond to questions and challenges when legal issues occur. This course presents the types of'

🔍 parse_program: starting at line 6309: 'compliance with legal guidelines and teaches how to respond to questions and challenges when legal issues occur. This course presents the types of'
  ➜ Title candidate: 'compliance with legal guidelines and teaches how to respond to questions and challenges when legal issues occur. This course presents the types of'
  ❌ Invalid title line: 'compliance with legal guidelines and teaches how to respond to questions and challenges when legal issues occur. This course presents the types of'
  ➜ Parsing at 6310: 'situations occurring in health information management that could result in ethical dilemmas and establishes a foundation for work based on legal and'

🔍 parse_program: starting at line 6310: 'situations occurring in health information management that could result in ethical dilemmas and establishes a foundation for work based on legal and'
  ➜ Title candidate: 'situations occurring in health information management that could result in ethical dilemmas and establishes a foundation for work based on legal and'
  ❌ Invalid title line: 'situations occurring in health information management that could result in ethical dilemmas and establishes a foundation for work based on legal and'
  ➜ Parsing at 6311: 'ethical guidelines.'

🔍 parse_program: starting at line 6311: 'ethical guidelines.'
  ➜ Title candidate: 'ethical guidelines.'
  ❌ Invalid title line: 'ethical guidelines.'
  ➜ Parsing at 6312: 'C802 - Foundations in Healthcare Information Management - Foundations in Healthcare Information applies theories from business, IT,'

🔍 parse_program: starting at line 6312: 'C802 - Foundations in Healthcare Information Management - Foundations in Healthcare Information applies theories from business, IT,'
  ➜ Title candidate: 'C802 - Foundations in Healthcare Information Management - Foundations in Healthcare Information applies theories from business, IT,'
  ❌ Invalid title line: 'C802 - Foundations in Healthcare Information Management - Foundations in Healthcare Information applies theories from business, IT,'
  ➜ Parsing at 6313: 'management, medicine, and consumer-centered healthcare skills. Students will learn to evaluate and analyze health information systems for'

🔍 parse_program: starting at line 6313: 'management, medicine, and consumer-centered healthcare skills. Students will learn to evaluate and analyze health information systems for'
  ➜ Title candidate: 'management, medicine, and consumer-centered healthcare skills. Students will learn to evaluate and analyze health information systems for'
  ❌ Invalid title line: 'management, medicine, and consumer-centered healthcare skills. Students will learn to evaluate and analyze health information systems for'
  ➜ Parsing at 6314: 'implementation in health information management. There are no prerequisites for this course.'

🔍 parse_program: starting at line 6314: 'implementation in health information management. There are no prerequisites for this course.'
  ➜ Title candidate: 'implementation in health information management. There are no prerequisites for this course.'
  ❌ Invalid title line: 'implementation in health information management. There are no prerequisites for this course.'
  ➜ Parsing at 6315: 'C803 - Data Analytics and Information Governance - Data Analytics and Information Governance explores the structure, methods, and approaches'

🔍 parse_program: starting at line 6315: 'C803 - Data Analytics and Information Governance - Data Analytics and Information Governance explores the structure, methods, and approaches'
  ➜ Title candidate: 'C803 - Data Analytics and Information Governance - Data Analytics and Information Governance explores the structure, methods, and approaches'
  ❌ Invalid title line: 'C803 - Data Analytics and Information Governance - Data Analytics and Information Governance explores the structure, methods, and approaches'
  ➜ Parsing at 6316: 'for using health information in the healthcare industry. By focusing on quality data collection, analytics, and industry regulations, students will examine'

🔍 parse_program: starting at line 6316: 'for using health information in the healthcare industry. By focusing on quality data collection, analytics, and industry regulations, students will examine'
  ➜ Title candidate: 'for using health information in the healthcare industry. By focusing on quality data collection, analytics, and industry regulations, students will examine'
  ❌ Invalid title line: 'for using health information in the healthcare industry. By focusing on quality data collection, analytics, and industry regulations, students will examine'
  ➜ Parsing at 6317: 'tools that ensure quality data collection as well as use data to improve quality of care. This course has no prerequisites.'

🔍 parse_program: starting at line 6317: 'tools that ensure quality data collection as well as use data to improve quality of care. This course has no prerequisites.'
  ➜ Title candidate: 'tools that ensure quality data collection as well as use data to improve quality of care. This course has no prerequisites.'
  ❌ Invalid title line: 'tools that ensure quality data collection as well as use data to improve quality of care. This course has no prerequisites.'
  ➜ Parsing at 6318: 'C804 - Medical Terminology - Medical Terminology focuses on the basic components of medical terminology and how terminology is used when'

🔍 parse_program: starting at line 6318: 'C804 - Medical Terminology - Medical Terminology focuses on the basic components of medical terminology and how terminology is used when'
  ➜ Title candidate: 'C804 - Medical Terminology - Medical Terminology focuses on the basic components of medical terminology and how terminology is used when'
  ❌ Invalid title line: 'C804 - Medical Terminology - Medical Terminology focuses on the basic components of medical terminology and how terminology is used when'
  ➜ Parsing at 6319: 'discussing various body structures and systems. Proper use of medical terminology is critical for accurate and clear communication among medical'

🔍 parse_program: starting at line 6319: 'discussing various body structures and systems. Proper use of medical terminology is critical for accurate and clear communication among medical'
  ➜ Title candidate: 'discussing various body structures and systems. Proper use of medical terminology is critical for accurate and clear communication among medical'
  ❌ Invalid title line: 'discussing various body structures and systems. Proper use of medical terminology is critical for accurate and clear communication among medical'
  ➜ Parsing at 6320: 'staff, health professionals, and patients. In addition to the systems of the body, this course will discuss immunity, infections, mental health, and cancer.'

🔍 parse_program: starting at line 6320: 'staff, health professionals, and patients. In addition to the systems of the body, this course will discuss immunity, infections, mental health, and cancer.'
  ➜ Title candidate: 'staff, health professionals, and patients. In addition to the systems of the body, this course will discuss immunity, infections, mental health, and cancer.'
  ❌ Invalid title line: 'staff, health professionals, and patients. In addition to the systems of the body, this course will discuss immunity, infections, mental health, and cancer.'
  ➜ Parsing at 6321: 'C805 - Pathophysiology - Pathophysiology is an overview of the pathology and treatment of diseases in the human body and its systems. This'

🔍 parse_program: starting at line 6321: 'C805 - Pathophysiology - Pathophysiology is an overview of the pathology and treatment of diseases in the human body and its systems. This'
  ➜ Title candidate: 'C805 - Pathophysiology - Pathophysiology is an overview of the pathology and treatment of diseases in the human body and its systems. This'
  ❌ Invalid title line: 'C805 - Pathophysiology - Pathophysiology is an overview of the pathology and treatment of diseases in the human body and its systems. This'
  ➜ Parsing at 6322: 'course will explain the processes in the body that result in the signs and symptoms of disease, as well as therapeutic procedures in managing or'

🔍 parse_program: starting at line 6322: 'course will explain the processes in the body that result in the signs and symptoms of disease, as well as therapeutic procedures in managing or'
  ➜ Title candidate: 'course will explain the processes in the body that result in the signs and symptoms of disease, as well as therapeutic procedures in managing or'
  ❌ Invalid title line: 'course will explain the processes in the body that result in the signs and symptoms of disease, as well as therapeutic procedures in managing or'
  ➜ Parsing at 6323: 'curing the disease. The content draws on a knowledge of anatomy and physiology to understand how diseases manifest themselves and how they'

🔍 parse_program: starting at line 6323: 'curing the disease. The content draws on a knowledge of anatomy and physiology to understand how diseases manifest themselves and how they'
  ➜ Title candidate: 'curing the disease. The content draws on a knowledge of anatomy and physiology to understand how diseases manifest themselves and how they'
  ❌ Invalid title line: 'curing the disease. The content draws on a knowledge of anatomy and physiology to understand how diseases manifest themselves and how they'
  ➜ Parsing at 6324: 'affect the body.'

🔍 parse_program: starting at line 6324: 'affect the body.'
  ➜ Title candidate: 'affect the body.'
  ❌ Invalid title line: 'affect the body.'
  ➜ Parsing at 6325: 'C806 - Introduction to Pharmacology - Introduction to Pharmacology provides information about drug development and approvals, pharmaceutical'

🔍 parse_program: starting at line 6325: 'C806 - Introduction to Pharmacology - Introduction to Pharmacology provides information about drug development and approvals, pharmaceutical'
  ➜ Title candidate: 'C806 - Introduction to Pharmacology - Introduction to Pharmacology provides information about drug development and approvals, pharmaceutical'
  ❌ Invalid title line: 'C806 - Introduction to Pharmacology - Introduction to Pharmacology provides information about drug development and approvals, pharmaceutical'
  ➜ Parsing at 6326: 'classifications, metabolism, and the effect of drugs on body systems. The course will introduce advancements in pharmaceutical technology,'

🔍 parse_program: starting at line 6326: 'classifications, metabolism, and the effect of drugs on body systems. The course will introduce advancements in pharmaceutical technology,'
  ➜ Title candidate: 'classifications, metabolism, and the effect of drugs on body systems. The course will introduce advancements in pharmaceutical technology,'
  ❌ Invalid title line: 'classifications, metabolism, and the effect of drugs on body systems. The course will introduce advancements in pharmaceutical technology,'
  ➜ Parsing at 6327: 'regulatory requirements within electronic health record systems, and the financial implications of pharmaceutical coding and billing. This course has no'

🔍 parse_program: starting at line 6327: 'regulatory requirements within electronic health record systems, and the financial implications of pharmaceutical coding and billing. This course has no'
  ➜ Title candidate: 'regulatory requirements within electronic health record systems, and the financial implications of pharmaceutical coding and billing. This course has no'
  ❌ Invalid title line: 'regulatory requirements within electronic health record systems, and the financial implications of pharmaceutical coding and billing. This course has no'
  ➜ Parsing at 6328: 'prerequisites.'

🔍 parse_program: starting at line 6328: 'prerequisites.'
  ➜ Title candidate: 'prerequisites.'
  ❌ Invalid title line: 'prerequisites.'
  ➜ Parsing at 6329: 'C807 - Healthcare Compliance - Healthcare Compliance examines the role of the coding professional within healthcare information management.'

🔍 parse_program: starting at line 6329: 'C807 - Healthcare Compliance - Healthcare Compliance examines the role of the coding professional within healthcare information management.'
  ➜ Title candidate: 'C807 - Healthcare Compliance - Healthcare Compliance examines the role of the coding professional within healthcare information management.'
  ❌ Invalid title line: 'C807 - Healthcare Compliance - Healthcare Compliance examines the role of the coding professional within healthcare information management.'
  ➜ Parsing at 6330: 'The course covers compliance plans, issues that arise with noncompliance, and management of internal and external audits.'

🔍 parse_program: starting at line 6330: 'The course covers compliance plans, issues that arise with noncompliance, and management of internal and external audits.'
  ➜ Title candidate: 'The course covers compliance plans, issues that arise with noncompliance, and management of internal and external audits.'
  ❌ Invalid title line: 'The course covers compliance plans, issues that arise with noncompliance, and management of internal and external audits.'
  ➜ Parsing at 6331: 'C808 - Classification Systems - Classification Systems provides a comprehensive approach to learning about medical coding classification, coding'

🔍 parse_program: starting at line 6331: 'C808 - Classification Systems - Classification Systems provides a comprehensive approach to learning about medical coding classification, coding'
  ➜ Title candidate: 'C808 - Classification Systems - Classification Systems provides a comprehensive approach to learning about medical coding classification, coding'
  ❌ Invalid title line: 'C808 - Classification Systems - Classification Systems provides a comprehensive approach to learning about medical coding classification, coding'
  ➜ Parsing at 6332: 'audits and quality standards. Students will be exposed to electronic health record systems and leadership principles as they relate to management of'

🔍 parse_program: starting at line 6332: 'audits and quality standards. Students will be exposed to electronic health record systems and leadership principles as they relate to management of'
  ➜ Title candidate: 'audits and quality standards. Students will be exposed to electronic health record systems and leadership principles as they relate to management of'
  ❌ Invalid title line: 'audits and quality standards. Students will be exposed to electronic health record systems and leadership principles as they relate to management of'
  ➜ Parsing at 6333: 'ICD and CPT codes. There are no prerequisites for this course.'

🔍 parse_program: starting at line 6333: 'ICD and CPT codes. There are no prerequisites for this course.'
  ➜ Title candidate: 'ICD and CPT codes. There are no prerequisites for this course.'
  ❌ Invalid title line: 'ICD and CPT codes. There are no prerequisites for this course.'
  ➜ Parsing at 6334: 'C810 - Foundations in Healthcare Data Management - Foundations in Healthcare Data Management introduces students to the concepts and'

🔍 parse_program: starting at line 6334: 'C810 - Foundations in Healthcare Data Management - Foundations in Healthcare Data Management introduces students to the concepts and'
  ➜ Title candidate: 'C810 - Foundations in Healthcare Data Management - Foundations in Healthcare Data Management introduces students to the concepts and'
  ❌ Invalid title line: 'C810 - Foundations in Healthcare Data Management - Foundations in Healthcare Data Management introduces students to the concepts and'
  ➜ Parsing at 6335: 'terminology used in health data and health information management. This course teaches students how to apply data management and governance'

🔍 parse_program: starting at line 6335: 'terminology used in health data and health information management. This course teaches students how to apply data management and governance'
  ➜ Title candidate: 'terminology used in health data and health information management. This course teaches students how to apply data management and governance'
  ❌ Invalid title line: 'terminology used in health data and health information management. This course teaches students how to apply data management and governance'
  ➜ Parsing at 6336: 'principles in the healthcare environment. There are no prerequisites for this course.'

🔍 parse_program: starting at line 6336: 'principles in the healthcare environment. There are no prerequisites for this course.'
  ➜ Title candidate: 'principles in the healthcare environment. There are no prerequisites for this course.'
  ❌ Invalid title line: 'principles in the healthcare environment. There are no prerequisites for this course.'
  ➜ Parsing at 6337: 'C811 - Healthcare Financial Resource Management - Healthcare Financial Resource Management examines financial practices within healthcare'

🔍 parse_program: starting at line 6337: 'C811 - Healthcare Financial Resource Management - Healthcare Financial Resource Management examines financial practices within healthcare'
  ➜ Title candidate: 'C811 - Healthcare Financial Resource Management - Healthcare Financial Resource Management examines financial practices within healthcare'
  ❌ Invalid title line: 'C811 - Healthcare Financial Resource Management - Healthcare Financial Resource Management examines financial practices within healthcare'
  ➜ Parsing at 6338: 'industries to promote effective management at department and organization levels. Focusing on financial processes associated with facility operations'

🔍 parse_program: starting at line 6338: 'industries to promote effective management at department and organization levels. Focusing on financial processes associated with facility operations'
  ➜ Title candidate: 'industries to promote effective management at department and organization levels. Focusing on financial processes associated with facility operations'
  ❌ Invalid title line: 'industries to promote effective management at department and organization levels. Focusing on financial processes associated with facility operations'
  ➜ Parsing at 6339: 'in the healthcare field, this course will analyze the impact of strategic financial planning and regulatory control processes. This course has no'

🔍 parse_program: starting at line 6339: 'in the healthcare field, this course will analyze the impact of strategic financial planning and regulatory control processes. This course has no'
  ➜ Title candidate: 'in the healthcare field, this course will analyze the impact of strategic financial planning and regulatory control processes. This course has no'
  ❌ Invalid title line: 'in the healthcare field, this course will analyze the impact of strategic financial planning and regulatory control processes. This course has no'
  ➜ Parsing at 6340: 'prerequisites.'

🔍 parse_program: starting at line 6340: 'prerequisites.'
  ➜ Title candidate: 'prerequisites.'
  ❌ Invalid title line: 'prerequisites.'
  ➜ Parsing at 6341: 'C812 - Healthcare Reimbursement - Healthcare Reimbursement explores financial practices within the healthcare industry as they relate to'

🔍 parse_program: starting at line 6341: 'C812 - Healthcare Reimbursement - Healthcare Reimbursement explores financial practices within the healthcare industry as they relate to'
  ➜ Title candidate: 'C812 - Healthcare Reimbursement - Healthcare Reimbursement explores financial practices within the healthcare industry as they relate to'
  ❌ Invalid title line: 'C812 - Healthcare Reimbursement - Healthcare Reimbursement explores financial practices within the healthcare industry as they relate to'
  ➜ Parsing at 6342: 'reimbursement policies. This course identifies how reimbursement systems impact the revenue cycle and a health information manager's role. This'

🔍 parse_program: starting at line 6342: 'reimbursement policies. This course identifies how reimbursement systems impact the revenue cycle and a health information manager's role. This'
  ➜ Title candidate: 'reimbursement policies. This course identifies how reimbursement systems impact the revenue cycle and a health information manager's role. This'
  ❌ Invalid title line: 'reimbursement policies. This course identifies how reimbursement systems impact the revenue cycle and a health information manager's role. This'
  ➜ Parsing at 6343: 'course has no prerequisites.'

🔍 parse_program: starting at line 6343: 'course has no prerequisites.'
  ➜ Title candidate: 'course has no prerequisites.'
  ❌ Invalid title line: 'course has no prerequisites.'
  ➜ Parsing at 6344: 'C813 - Healthcare Statistics and Research - Healthcare Statistics and Research explores the use of statistical data to support process improvement'

🔍 parse_program: starting at line 6344: 'C813 - Healthcare Statistics and Research - Healthcare Statistics and Research explores the use of statistical data to support process improvement'
  ➜ Title candidate: 'C813 - Healthcare Statistics and Research - Healthcare Statistics and Research explores the use of statistical data to support process improvement'
  ❌ Invalid title line: 'C813 - Healthcare Statistics and Research - Healthcare Statistics and Research explores the use of statistical data to support process improvement'
  ➜ Parsing at 6345: 'through health information research. Health information management (HIM) professionals use information systems to gather, analyze, and present'

🔍 parse_program: starting at line 6345: 'through health information research. Health information management (HIM) professionals use information systems to gather, analyze, and present'
  ➜ Title candidate: 'through health information research. Health information management (HIM) professionals use information systems to gather, analyze, and present'
  ❌ Invalid title line: 'through health information research. Health information management (HIM) professionals use information systems to gather, analyze, and present'
  ➜ Parsing at 6346: 'data in response to administrative and clinical needs. This course has no prerequisites.'

🔍 parse_program: starting at line 6346: 'data in response to administrative and clinical needs. This course has no prerequisites.'
  ➜ Title candidate: 'data in response to administrative and clinical needs. This course has no prerequisites.'
  ❌ Invalid title line: 'data in response to administrative and clinical needs. This course has no prerequisites.'
  ➜ Parsing at 6347: 'C815 - Quality and Performance Management and Methods - Quality and Performance Management and Methods examines quality initiatives'

🔍 parse_program: starting at line 6347: 'C815 - Quality and Performance Management and Methods - Quality and Performance Management and Methods examines quality initiatives'
  ➜ Title candidate: 'C815 - Quality and Performance Management and Methods - Quality and Performance Management and Methods examines quality initiatives'
  ❌ Invalid title line: 'C815 - Quality and Performance Management and Methods - Quality and Performance Management and Methods examines quality initiatives'
  ➜ Parsing at 6348: 'within healthcare. Quality issues cover human resource management, employee performance and patient safety. This course focuses on quality'

🔍 parse_program: starting at line 6348: 'within healthcare. Quality issues cover human resource management, employee performance and patient safety. This course focuses on quality'
  ➜ Title candidate: 'within healthcare. Quality issues cover human resource management, employee performance and patient safety. This course focuses on quality'
  ❌ Invalid title line: 'within healthcare. Quality issues cover human resource management, employee performance and patient safety. This course focuses on quality'
  ➜ Parsing at 6349: 'improvement initiatives and performance improvement with the health information management perspective.'

🔍 parse_program: starting at line 6349: 'improvement initiatives and performance improvement with the health information management perspective.'
  ➜ Title candidate: 'improvement initiatives and performance improvement with the health information management perspective.'
  ❌ Invalid title line: 'improvement initiatives and performance improvement with the health information management perspective.'
  ➜ Parsing at 6350: 'C816 - Healthcare System Applications - Healthcare System Applications introduces students to information systems. This course includes'

🔍 parse_program: starting at line 6350: 'C816 - Healthcare System Applications - Healthcare System Applications introduces students to information systems. This course includes'
  ➜ Title candidate: 'C816 - Healthcare System Applications - Healthcare System Applications introduces students to information systems. This course includes'
  ❌ Invalid title line: 'C816 - Healthcare System Applications - Healthcare System Applications introduces students to information systems. This course includes'
  ➜ Parsing at 6351: 'important topics related to management of information systems (MIS), such as system development and business continuity. The course also provides'

🔍 parse_program: starting at line 6351: 'important topics related to management of information systems (MIS), such as system development and business continuity. The course also provides'
  ➜ Title candidate: 'important topics related to management of information systems (MIS), such as system development and business continuity. The course also provides'
  ❌ Invalid title line: 'important topics related to management of information systems (MIS), such as system development and business continuity. The course also provides'
  ➜ Parsing at 6352: 'an overview of management tools and issue tracking systems. This course has no prerequisites.'

🔍 parse_program: starting at line 6352: 'an overview of management tools and issue tracking systems. This course has no prerequisites.'
  ➜ Title candidate: 'an overview of management tools and issue tracking systems. This course has no prerequisites.'
  ❌ Invalid title line: 'an overview of management tools and issue tracking systems. This course has no prerequisites.'
  ➜ Parsing at 6353: 'C818 - Health Information Management Capstone - tbd'

🔍 parse_program: starting at line 6353: 'C818 - Health Information Management Capstone - tbd'
  ➜ Title candidate: 'C818 - Health Information Management Capstone - tbd'
  ❌ Invalid title line: 'C818 - Health Information Management Capstone - tbd'
  ➜ Parsing at 6354: 'C820 - Professional Leadership and Communication for Healthcare - The Leadership and Communication course is designed to help students'

🔍 parse_program: starting at line 6354: 'C820 - Professional Leadership and Communication for Healthcare - The Leadership and Communication course is designed to help students'
  ➜ Title candidate: 'C820 - Professional Leadership and Communication for Healthcare - The Leadership and Communication course is designed to help students'
  ❌ Invalid title line: 'C820 - Professional Leadership and Communication for Healthcare - The Leadership and Communication course is designed to help students'
  ➜ Parsing at 6355: 'prepare for success in the online environment at Western Governors University and beyond. Student success starts with the social support and self-'

🔍 parse_program: starting at line 6355: 'prepare for success in the online environment at Western Governors University and beyond. Student success starts with the social support and self-'
  ➜ Title candidate: 'prepare for success in the online environment at Western Governors University and beyond. Student success starts with the social support and self-'
  ❌ Invalid title line: 'prepare for success in the online environment at Western Governors University and beyond. Student success starts with the social support and self-'
  ➜ Parsing at 6356: 'reflective awareness that will prepare students to weather the challenges of academic programs. In this course students will participate in group'

🔍 parse_program: starting at line 6356: 'reflective awareness that will prepare students to weather the challenges of academic programs. In this course students will participate in group'
  ➜ Title candidate: 'reflective awareness that will prepare students to weather the challenges of academic programs. In this course students will participate in group'
  ❌ Invalid title line: 'reflective awareness that will prepare students to weather the challenges of academic programs. In this course students will participate in group'
  ➜ Parsing at 6357: 'activities and complete a number of individual assignments. The group activities are aimed at finding support and insight from other students. The'

🔍 parse_program: starting at line 6357: 'activities and complete a number of individual assignments. The group activities are aimed at finding support and insight from other students. The'
  ➜ Title candidate: 'activities and complete a number of individual assignments. The group activities are aimed at finding support and insight from other students. The'
  ❌ Invalid title line: 'activities and complete a number of individual assignments. The group activities are aimed at finding support and insight from other students. The'
  ➜ Parsing at 6358: 'assignments are intended to give the student an opportunity to reflect about where they are and where they would like to be. The activities in each'

🔍 parse_program: starting at line 6358: 'assignments are intended to give the student an opportunity to reflect about where they are and where they would like to be. The activities in each'
  ➜ Title candidate: 'assignments are intended to give the student an opportunity to reflect about where they are and where they would like to be. The activities in each'
  ❌ Invalid title line: 'assignments are intended to give the student an opportunity to reflect about where they are and where they would like to be. The activities in each'
  ➜ Parsing at 6359: 'group meeting are designed to give students several tools they can use to achieve success. This course is designed as a eight-part intensive learning'

🔍 parse_program: starting at line 6359: 'group meeting are designed to give students several tools they can use to achieve success. This course is designed as a eight-part intensive learning'
  ➜ Title candidate: 'group meeting are designed to give students several tools they can use to achieve success. This course is designed as a eight-part intensive learning'
  ❌ Invalid title line: 'group meeting are designed to give students several tools they can use to achieve success. This course is designed as a eight-part intensive learning'
  ➜ Parsing at 6360: 'experience. Students will attend eight group meetings during the term. At each meeting students will engage in activities that help them understand'

🔍 parse_program: starting at line 6360: 'experience. Students will attend eight group meetings during the term. At each meeting students will engage in activities that help them understand'
  ➜ Title candidate: 'experience. Students will attend eight group meetings during the term. At each meeting students will engage in activities that help them understand'
  ❌ Invalid title line: 'experience. Students will attend eight group meetings during the term. At each meeting students will engage in activities that help them understand'
  ➜ Parsing at 6361: 'their own educational journey and find support and inspiration in the journey of others.'

🔍 parse_program: starting at line 6361: 'their own educational journey and find support and inspiration in the journey of others.'
  ➜ Title candidate: 'their own educational journey and find support and inspiration in the journey of others.'
  ❌ Invalid title line: 'their own educational journey and find support and inspiration in the journey of others.'
  ➜ Parsing at 6362: 'C821 - Nursing Education Field Experience - Nurse educators teach the next generation of nurses, in academic and clinical settings. They must be'

🔍 parse_program: starting at line 6362: 'C821 - Nursing Education Field Experience - Nurse educators teach the next generation of nurses, in academic and clinical settings. They must be'
  ➜ Title candidate: 'C821 - Nursing Education Field Experience - Nurse educators teach the next generation of nurses, in academic and clinical settings. They must be'
  ❌ Invalid title line: 'C821 - Nursing Education Field Experience - Nurse educators teach the next generation of nurses, in academic and clinical settings. They must be'
  ➜ Parsing at 6363: 'licensed to practice nursing and have considerable hands-on nursing experience, as well as advanced training and education. The Nursing Education'

🔍 parse_program: starting at line 6363: 'licensed to practice nursing and have considerable hands-on nursing experience, as well as advanced training and education. The Nursing Education'
  ➜ Title candidate: 'licensed to practice nursing and have considerable hands-on nursing experience, as well as advanced training and education. The Nursing Education'
  ❌ Invalid title line: 'licensed to practice nursing and have considerable hands-on nursing experience, as well as advanced training and education. The Nursing Education'
  ➜ Parsing at 6364: 'Field Experience provides the graduate student with an opportunity to work collaboratively within the organization where he/she is employed to'

🔍 parse_program: starting at line 6364: 'Field Experience provides the graduate student with an opportunity to work collaboratively within the organization where he/she is employed to'
  ➜ Title candidate: 'Field Experience provides the graduate student with an opportunity to work collaboratively within the organization where he/she is employed to'
  ❌ Invalid title line: 'Field Experience provides the graduate student with an opportunity to work collaboratively within the organization where he/she is employed to'
  ➜ Parsing at 6365: 'address an identified nursing problem, need, or gap in current practices. Students then work to promote a practice change, quality improvement, or'

🔍 parse_program: starting at line 6365: 'address an identified nursing problem, need, or gap in current practices. Students then work to promote a practice change, quality improvement, or'
  ➜ Title candidate: 'address an identified nursing problem, need, or gap in current practices. Students then work to promote a practice change, quality improvement, or'
  ❌ Invalid title line: 'address an identified nursing problem, need, or gap in current practices. Students then work to promote a practice change, quality improvement, or'
  ➜ Parsing at 6366: 'innovation that is based on the existing evidence and best practices.'

🔍 parse_program: starting at line 6366: 'innovation that is based on the existing evidence and best practices.'
  ➜ Title candidate: 'innovation that is based on the existing evidence and best practices.'
  ❌ Invalid title line: 'innovation that is based on the existing evidence and best practices.'
  ➜ Parsing at 6367: 'C822 - Nurse Educator Capstone - The capstone is a scholarly project that addresses an issue, need, gap or opportunity resulting from an identified'

🔍 parse_program: starting at line 6367: 'C822 - Nurse Educator Capstone - The capstone is a scholarly project that addresses an issue, need, gap or opportunity resulting from an identified'
  ➜ Title candidate: 'C822 - Nurse Educator Capstone - The capstone is a scholarly project that addresses an issue, need, gap or opportunity resulting from an identified'
  ❌ Invalid title line: 'C822 - Nurse Educator Capstone - The capstone is a scholarly project that addresses an issue, need, gap or opportunity resulting from an identified'
  ➜ Parsing at 6368: 'in nursing education or healthcare need. The capstone project provides the opportunity for the graduate nursing student to demonstrate competency'

🔍 parse_program: starting at line 6368: 'in nursing education or healthcare need. The capstone project provides the opportunity for the graduate nursing student to demonstrate competency'
  ➜ Title candidate: 'in nursing education or healthcare need. The capstone project provides the opportunity for the graduate nursing student to demonstrate competency'
  ❌ Invalid title line: 'in nursing education or healthcare need. The capstone project provides the opportunity for the graduate nursing student to demonstrate competency'
  ➜ Parsing at 6369: 'through design, application and evaluation of advanced nursing knowledge and higher level leadership skills for ultimately improving health outcomes'

🔍 parse_program: starting at line 6369: 'through design, application and evaluation of advanced nursing knowledge and higher level leadership skills for ultimately improving health outcomes'
  ➜ Title candidate: 'through design, application and evaluation of advanced nursing knowledge and higher level leadership skills for ultimately improving health outcomes'
  ❌ Invalid title line: 'through design, application and evaluation of advanced nursing knowledge and higher level leadership skills for ultimately improving health outcomes'
  ➜ Parsing at 6370: '© Western Governors University 7/19/17 166'

🔍 parse_program: starting at line 6370: '© Western Governors University 7/19/17 166'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'C823 - Nursing Leadership and Management Field Experience - Today’s rapidly changing healthcare delivery environment requires nurse'
  ➜ Skipping stray line: 'executives to effectively lead change to achieve organization goals and improvements. Registered nurses needs to hold an active nursing license and'
  ➜ Skipping stray line: 'have considerable clinical experience and education to become a nurse leader or manager. The Nursing Leadership and Management Field'
  ➜ Skipping stray line: 'Experience provides the graduate student with an opportunity to work collaboratively within the organization where he/she is employed to address an'
  ➜ Skipping stray line: 'identified nursing problem, need, or gap in current practices. Students then work to promote a practice change, quality improvement, or innovation that'
  ➜ Skipping stray line: 'is based on the existing evidence and best practices.'
  ➜ Skipping stray line: 'C824 - Nursing Leadership and Management Capstone - The Nursing Leadership and Management capstone course provides the student with an'
  ➜ Skipping stray line: 'opportunity to engage in a project that is actionable, relevant, highly collaborative, and based on real world experience. The capstone involves'
  ➜ Skipping stray line: 'development of a scholarly project that addresses a problem, need, or gap in current practices. The capstone project provides an opportunity for the'
  ➜ Skipping stray line: 'graduate nursing student to demonstrate competency through design, application, and evaluation of a planned practice change, quality improvement,'
  ➜ Skipping stray line: 'or innovation that is based on the existing evidence and best practices.'
  ➜ Skipping stray line: 'C825 - Introduction to Nursing Arts and Science - Intro to Nursing Clinical Skills is a skills lab section in which students will have the opportunity to'
  ➜ Skipping stray line: 'practice skills learned in didactic in a learning lab. Students will be introduced to and learn the fundamental skills of nursing, including: assessment,'
  ➜ Skipping stray line: 'vital signs, principles of safety, equipment uses, bathing, oral hygiene, perineal care, principles of asepsis, ambulating, transferring, range of motion,'
  ➜ Skipping stray line: 'restraints, fall prevention, and communication. Students successful in the lab assessment will be considered for admission to the BSRN program.'
  ➜ Skipping stray line: 'C826 - Community Health and Population-Focused Nursing - Community Health and Population-Focused Nursing will assist students in becoming'
  ➜ Skipping stray line: 'familiar with foundational theories and models of health promotion applicable to the community health nursing environment. Students will develop an'
  ➜ Skipping stray line: 'understanding of how policies and resources influence the health of populations. Focus is concentrated on learning the importance of a community'
  ➜ Skipping stray line: 'assessment to improve or resolve a community health issue. Students will be introduced to the relationships between cultures and communities and'
  ➜ Skipping stray line: 'the steps necessary to create community collaboration with the goal to improve or resolve community health issues in a variety of settings. Students'
  ➜ Skipping stray line: 'will gain a greater understanding of health systems in the United States, global health issues, quality-of-life issues, cultural influences, community'
  ➜ Skipping stray line: 'collaboration, and emergency preparedness.'
  ➜ Skipping stray line: 'C828 - Teacher Performance Assessment in Elementary Education - The Teacher Performance Assessment is a culmination of the wide variety of'
  ➜ Skipping stray line: 'skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a'
  ➜ Skipping stray line: 'collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C829 - Teacher Performance Assessment in Elementary and Special Education - The Teacher Performance Assessment is a culmination of the'
  ➜ Skipping stray line: 'wide variety of skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you'
  ➜ Skipping stray line: 'will showcase a collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C830 - Teacher Performance Assessment in Mathematics Education - The Teacher Performance Assessment is a culmination of the wide variety'
  ➜ Skipping stray line: 'of skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase'
  ➜ Skipping stray line: 'a collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C836 - Fundamentals of Information Security - This course lays the foundation for understanding terminology, principles, processes and best'
  ➜ Skipping stray line: 'practices of information security at local and global levels. It further provides an overview of basic security vulnerabilities and countermeasures for'
  ➜ Skipping stray line: 'protecting information assets through planning and administrative controls within an organization.'
  ➜ Skipping stray line: 'C837 - Managing Web Security - Almost all businesses and organizations require a web presence. The security needs, demands, and defenses for'
  ➜ Skipping stray line: 'these online environments differ from those of an isolated single computer or intranet. This course introduces best practices for preventing security'
  ➜ Skipping stray line: 'breaches by applying web security protocols, firewalls, and system configurations. This course prepares students for the Web Security Associate (CIW'
  ➜ Skipping stray line: 'WSA) certification exam.'
  ➜ Skipping stray line: 'C838 - Managing Cloud Security - Many of today’s companies and organizations have outsourced data management, availability, and operational'
  ➜ Skipping stray line: 'processes through cloud computing. In this course, students design solutions for cloud-based platforms and operations that maintain data availability'
  ➜ Skipping stray line: 'while protecting the confidentiality and integrity of information. This includes security controls, disaster recovery plans, and continuity management'
  ➜ Skipping stray line: 'plans that address physical, logical, and human factors. This course prepares students for the Certified Cloud Security Professional (ISC2 CCSP)'
  ➜ Skipping stray line: 'certification exam.'
  ➜ Skipping stray line: 'C839 - Introduction to Cryptography - This course provides students with knowledge of cryptographic algorithms, protocols, and their uses in the'
  ➜ Skipping stray line: 'protection of information in various states. This course prepares students for the Certified Encryption Specialist (EC-Council ECES) certification exam.'
  ➜ Skipping stray line: 'C840 - Digital Forensics in Cybersecurity - Digital forensics, the science of investigating cybercrimes, seeks evidence that reveals who, what, when,'
  ➜ Skipping stray line: 'where, and how threats compromise information. This course examines the relationships between incident categories, evidence handling, and incident'
  ➜ Skipping stray line: 'management. Students identify consequences associated with cyber threats and security laws using a variety of tools to recognize and recover from'
  ➜ Skipping stray line: 'unauthorized, malicious activities.'
  ➜ Skipping stray line: 'C841 - Legal Issues in Information Security - Security information professionals have the role and responsibility for knowing and applying ethical'
  ➜ Skipping stray line: 'and legal principles and processes that define specific needs and demands to assure data integrity within an organization. This course addresses the'
  ➜ Skipping stray line: 'laws, regulations, authorities, and directives that inform the development of operational policies, best practices, and training to assure legal'
  ➜ Skipping stray line: 'compliance and to minimize internal and external threats. Students analyze legal constraints and liability concerns that threaten information security'
  ➜ Skipping stray line: 'within an organization and develop disaster recovery plans to assure business continuity.'
  ➜ Skipping stray line: 'C842 - Cyber Defense and Countermeasures - Traditional defenses such as firewalls, security protocols, and encryption sometimes fail to stop'
  ➜ Skipping stray line: 'attackers determined to access and compromise data. This course provides the fundamental skills to handle and respond to the computer security'
  ➜ Skipping stray line: 'incidents in an information system. The course addresses various underlying principles and techniques for detecting and responding to current and'
  ➜ Skipping stray line: 'emerging computer security threats. Students learn how to handle various types of incidents, risk assessment methodologies, and various laws and'
  ➜ Skipping stray line: 'policy related to incident handling. This course prepares students for the Certified Incident Handler (EC-Council ECIH) certification exam.'
  ➜ Skipping stray line: 'C843 - Managing Information Security - This course expands on fundamentals of information security by providing an in-depth analysis of the'
  ➜ Skipping stray line: 'relationship between an information security program and broader business goals and objectives. Students develop knowledge and experience in the'
  ➜ Skipping stray line: 'development and management of an information security program essential to ongoing education, career progression, and value delivery to'
  ➜ Skipping stray line: 'enterprises. Students apply best practices to develop an information security governance framework, analyze mitigation in the context of compliance'
  ➜ Skipping stray line: 'requirements, align security programs with security strategies and best practices, and recommend procedures for managing security strategies that'
  ➜ Skipping stray line: 'minimize risk to an organization.'
  ➜ Skipping stray line: 'C844 - Emerging Technologies in Cybersecurity - The continual evolution of technology means that cybersecurity professionals must be able to'
  ➜ Skipping stray line: 'analyze and evaluate new technologies in information security such as wireless, mobile, and internet technologies. Students review the adoption'
  ➜ Skipping stray line: 'process which prepares an organization for the risks and challenges of implementing new technologies. This course focuses on comparison of'
  ➜ Skipping stray line: 'evolving technologies to address the security requirements of an organization. Students learn underlying principles critical to the operation of secure'
  ➜ Skipping stray line: 'networks and adoption of new technologies.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 167'
  ➜ Skipping stray line: 'C845 - Information Systems Security - IT security professionals must be prepared for the operational demands and responsibilities of security'
  ➜ Skipping stray line: 'practitioners, including authentication, security testing, intrusion detection and prevention, incident response and recovery, attacks and'
  ➜ Skipping stray line: 'countermeasures, cryptography, and malicious code countermeasures. This course provides a comprehensive, up-to-date global body of knowledge'
  ➜ Skipping stray line: 'that ensures students have the right information security knowledge and skills to be successful in IT operational roles to mitigate security concerns and'
  ➜ Skipping stray line: 'guard against the impact of malicious activity. Students demonstrate how to manage and restrict access control systems; administer policies,'
  ➜ Skipping stray line: 'procedures, and guidelines that are ethical and compliant with laws and regulations; implement risk management and incident handling processes;'
  ➜ Skipping stray line: 'execute cryptographic systems to protect data; manage network security; and analyze common attack vectors and countermeasures to assure'
  ➜ Skipping stray line: 'information integrity and confidentiality in various systems. This course prepares students for the Systems Security Certified Practitioner (ISC2 SSCP)'
  ➜ Skipping stray line: 'certification exam.'
  ➜ Skipping stray line: 'C846 - Business of IT - Applications - Business of IT – Applications examines Information Technology Infrastructure Library ( ITIL®) terminology,'
  ➜ Skipping stray line: 'structure, policies, and concepts. Focusing on the management of Information Technology (IT) infrastructure, development, and operations, students'
  ➜ Skipping stray line: 'will explore the core principles of ITIL practices for service management to prepare them for careers as IT professionals, business managers, and'
  ➜ Skipping stray line: 'business process owners. This course has no prerequisites.'
  ➜ Skipping stray line: 'C847 - Fundamentals of Diversity, Inclusion, and Exceptional Learners - Students will learn the history of inclusion and develop practical'
  ➜ Skipping stray line: 'strategies for modifying instruction, in accordance with legal expectations, to meet the needs of a diverse population of learners. This population'
  ➜ Skipping stray line: 'includes learners with disabilities, gifted and talented learners, culturally diverse learners, and English language learners.'
  ➜ Skipping stray line: 'C848 - Fundamentals of Diversity, Inclusion, and Exceptional Learners - Students will learn the history of inclusion and develop practical'
  ➜ Skipping stray line: 'strategies for modifying instruction, in accordance with legal expectations, to meet the needs of a diverse population of learners. This population'
  ➜ Skipping stray line: 'includes learners with disabilities, gifted and talented learners, culturally diverse learners, and English language learners.'
  ➜ Skipping stray line: 'C853 - Teacher Performance Assessment in English - The Teacher Performance Assessment serves as the final, culminating project in your'
  ➜ Skipping stray line: 'degree program. It is a formal, scholarly piece of work. You are required to design and develop a two-week-long (minimum), standards-based'
  ➜ Skipping stray line: 'curriculum unit. You will then implement (i.e., teach) the unit in your classroom and gather data as to its effectiveness.'
  ➜ Skipping stray line: 'C860 - Innovation Project - This course explores healthcare innovation by having you compare examples, apply concepts, perform research and'
  ➜ Skipping stray line: 'analysis, and create original work. You will complete and submit an Innovation proposal form describing a new technology to decrease clinic wait'
  ➜ Skipping stray line: 'times.'
  ➜ Skipping stray line: 'C861 - Healthcare Systems Project - You will explore healthcare systems by evaluating the needs of a group medical center to expand care to a'
  ➜ Skipping stray line: 'growing population of underserved and underinsured patients. You will assess the value of affiliation with other providers and potential payers, analyze'
  ➜ Skipping stray line: 'several healthcare organizations as potential partners for affiliation, and determine what type of affiliation structure will best meet the needs of the'
  ➜ Skipping stray line: 'medical center. This project culminates in the creation of a proposed “affiliation recommendation” that summarizes the assessment of three candidate'
  ➜ Skipping stray line: 'organizations.'
  ➜ Skipping stray line: 'C862 - Healthcare Quality Project - You will use Six Sigma principles and strategies, as well as other quality concepts (DMAIC), to address problems'
  ➜ Skipping stray line: 'of high patient wait times and poor physician communication at a highly functioning level 1 trauma center. You will develop a healthcare quality'
  ➜ Skipping stray line: 'improvement process that implements the five phases of a Six Sigma approach. You will also analyze challenges executives face in identifying,'
  ➜ Skipping stray line: 'synthesizing, and acting upon healthcare data to improve operations and patient-centered care.'
  ➜ Skipping stray line: 'C863 - Healthcare Financial Management Project - You will develop a value-based payment model and strategic implementation plan to provide'
  ➜ Skipping stray line: 'high-quality, most cost-effective care to a high-risk patient population. The organization is currently not equipped to take on the risks inherent in the'
  ➜ Skipping stray line: 'population of Southern Florida. To create a successful plan, you will analyze and interpret data to determine the population's need and justify that their'
  ➜ Skipping stray line: 'organization can financially support and sustain the new system.'
  ➜ Skipping stray line: 'C864 - Enterprise Risk Management Project - You will take on the role of a consulting risk manager for the Phoenix VA Health Care System'
  ➜ Skipping stray line: '(PVAHCS) to address the Office of Inspector General’s report. You begin by identifying and analyzing risk issues embedded within a real-world'
  ➜ Skipping stray line: 'scenario. You will use enterprise risk management (ERM) concepts to create and define implementation strategies for an ERM plan to mitigate and'
  ➜ Skipping stray line: 'manage the risks identified. Finally, you will recommend a new system model.'
  ➜ Skipping stray line: 'C865 - Population Health and Care Coordination Project - You will design a chronic care population management plan and change a health'
  ➜ Skipping stray line: 'system's model to one that focuses on patient and family. You will review a model from Mississippi that has expanded Medicaid where the'
  ➜ Skipping stray line: 'opportunities to develop partnerships are ideal. To help control costs, you will develop a wellness and prevention program alongside the disease'
  ➜ Skipping stray line: 'management model already being used in a system of their choice.'
  ➜ Skipping stray line: 'C870 - Human Anatomy and Physiology - This course examines the structures and functions of the human body and covers anatomical'
  ➜ Skipping stray line: 'terminology, cells and tissues, and organ systems. Students will use a dissection lab to study the healthy state of the organ systems of the human'
  ➜ Skipping stray line: 'body, including the digestive, skeletal, sensory, respiratory, reproductive, nervous, muscular, cardiovascular, lymphatic, integumentary, endocrine, and'
  ➜ Skipping stray line: 'renal systems. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C871 - MA, Science Education Teacher Performance Assessment - MA, Science Education (5-12 Geo) Teacher Performance Assessment'
  ➜ Skipping stray line: 'contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct evidence of the'
  ➜ Skipping stray line: 'candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect on the learning'
  ➜ Skipping stray line: 'process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional unit consisting'
  ➜ Skipping stray line: 'of seven components: 1) Contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision making, 6) analysis of'
  ➜ Skipping stray line: 'student learning, and 7) self-evaluation and reflection.'
  ➜ Skipping stray line: 'C873 - Teacher Performance Assessment in Elementary Education - The Teacher Performance Assessment is a culmination of the wide variety'
  ➜ Skipping stray line: 'of skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase'
  ➜ Skipping stray line: 'a collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C874 - MA, Mathematics Education (5-12) Teacher Performance Assessment - MA, Mathematics Education (5-12) Teacher Performance'
  ➜ Skipping stray line: 'Assessment contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct'
  ➜ Skipping stray line: 'evidence of the candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect'
  ➜ Skipping stray line: 'on the learning process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional'
  ➜ Skipping stray line: 'unit consisting of seven components: 1) Contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision'
  ➜ Skipping stray line: 'making, 6) analysis of student learning, and 7) self-evaluation and reflection.'
  ➜ Skipping stray line: 'C875 - Human Anatomy and Physiology - This course examines the structures and functions of the human body and covers anatomical'
  ➜ Skipping stray line: 'terminology, cells and tissues, and organ systems. Students will use a dissection lab to study the healthy state of the organ systems of the human'
  ➜ Skipping stray line: 'body, including the digestive, skeletal, sensory, respiratory, reproductive, nervous, muscular, cardiovascular, lymphatic, integumentary, endocrine, and'
  ➜ Skipping stray line: 'renal systems. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C876 - Conceptual Physics - Conceptual Physics provides a broad, conceptual overview of the main principles of physics, including mechanics,'
  ➜ Skipping stray line: 'thermodynamics, wave motion, modern physics, and electricity and magnetism. Problem-solving activities and laboratory experiments provide'
  ➜ Skipping stray line: 'students with opportunities to apply these main principles, creating a strong foundation for future studies in physics. There are no prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 168'
  ➜ Skipping stray line: 'C877 - Mathematical Modeling and Applications - Mathematical Modeling and Applications applies mathematics, such as differential equations,'
  ➜ Skipping stray line: 'discrete structures, and statistics to formulate models and solve real-world problems. This course emphasizes improving students’ critical thinking to'
  ➜ Skipping stray line: 'help them understand the process and application of mathematical modeling. Probability and Statistics II and Calculus II are prerequisites.'
  ➜ Skipping stray line: 'C878 - Mathematical Modeling and Applications - Mathematical Modeling and Applications applies mathematics, such as differential equations,'
  ➜ Skipping stray line: 'discrete structures, and statistics to formulate models and solve real-world problems. This course emphasizes improving students’ critical thinking to'
  ➜ Skipping stray line: 'help them understand the process and application of mathematical modeling. Probability and Statistics II and Calculus II are prerequisites.'
  ➜ Skipping stray line: 'C879 - Algebra for Secondary Mathematics Teaching - Algebra for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of algebra. Secondary teachers should have an understanding of the following: algebra as an extension of number, operation, and'
  ➜ Skipping stray line: 'quantity; various ideas of equivalence as it pertains to algebraic structures; patterns of change as covariation between quantities; connections'
  ➜ Skipping stray line: 'between representations (tables, graphs, equations, geometric models, context); and the historical development of content and perspectives from'
  ➜ Skipping stray line: 'diverse cultures. In particular, the focus should be on deeper understanding of rational numbers, ratios and proportions, meaning and use of variables,'
  ➜ Skipping stray line: 'functions (e.g., exponential, logarithmic, polynomials, rational, quadratic), and inverses. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C880 - Algebra for Secondary Mathematics Teaching - Algebra for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of algebra. Secondary teachers should have an understanding of the following: algebra as an extension of number, operation, and'
  ➜ Skipping stray line: 'quantity; various ideas of equivalence as it pertains to algebraic structures; patterns of change as covariation between quantities; connections'
  ➜ Skipping stray line: 'between representations (tables, graphs, equations, geometric models, context); and the historical development of content and perspectives from'
  ➜ Skipping stray line: 'diverse cultures. In particular, the focus should be on deeper understanding of rational numbers, ratios and proportions, meaning and use of variables,'
  ➜ Skipping stray line: 'functions (e.g., exponential, logarithmic, polynomials, rational, quadratic), and inverses. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C881 - Geometry for Secondary Mathematics Teaching - Geometry for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of geometry. Secondary teachers in this course will develop a deep understanding of constructions and transformations,'
  ➜ Skipping stray line: 'congruence and similarity, analytic geometry, solid geometry, conics, trigonometry, and the historical development of content. Calculus I is a'
  ➜ Skipping stray line: 'prerequisite for this course.'
  ➜ Skipping stray line: 'C882 - Geometry for Secondary Mathematics Teaching - Geometry for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of geometry. Secondary teachers in this course will develop a deep understanding of constructions and transformations,'
  ➜ Skipping stray line: 'congruence and similarity, analytic geometry, solid geometry, conics, trigonometry, and the historical development of content. Calculus I is a'
  ➜ Skipping stray line: 'prerequisite for this course.'
  ➜ Skipping stray line: 'C883 - Statistics and Probability for Secondary Mathematics Teaching - Statistics and Probability for Secondary Mathematics Teaching explores'
  ➜ Skipping stray line: 'important conceptual underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional'
  ➜ Skipping stray line: 'practices to support and assess the learning of statistics and probability. Secondary teachers should have a deep understanding of summarizing and'
  ➜ Skipping stray line: 'representing data, study design and sampling, probability, testing claims and drawing conclusions, and the historical development of content and'
  ➜ Skipping stray line: 'perspectives from diverse cultures. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C884 - Statistics and Probability for Secondary Mathematics Teaching - Statistics and Probability for Secondary Mathematics Teaching explores'
  ➜ Skipping stray line: 'important conceptual underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional'
  ➜ Skipping stray line: 'practices to support and assess the learning of statistics and probability. Secondary teachers should have a deep understanding of summarizing and'
  ➜ Skipping stray line: 'representing data, study design and sampling, probability, testing claims and drawing conclusions, and the historical development of content and'
  ➜ Skipping stray line: 'perspectives from diverse cultures. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C885 - Advanced Calculus - Advanced Calculus examines rigorous reconsideration and proofs involving calculus. Topics include real-number'
  ➜ Skipping stray line: 'systems, sequences, limits, continuity, differentiation, and integration. This course emphasizes students’ ability to apply critical thinking to concepts to'
  ➜ Skipping stray line: 'analyze the connections between definitions and properties. Calculus III and Linear Algebra are prerequisites.'
  ➜ Skipping stray line: 'C886 - Advanced Calculus - Advanced Calculus examines rigorous reconsideration and proofs involving calculus. Topics include real-number'
  ➜ Skipping stray line: 'systems, sequences, limits, continuity, differentiation, and integration. This course emphasizes students’ ability to apply critical thinking to concepts to'
  ➜ Skipping stray line: 'analyze the connections between definitions and properties. Calculus III and Linear Algebra are prerequisites.'
  ➜ Skipping stray line: 'C887 - MA, Mathematics Education (5-9) Teacher Performance Assessment - MA, Mathematics Education (5-9) Teacher Performance'
  ➜ Skipping stray line: 'Assessment contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct'
  ➜ Skipping stray line: 'evidence of the candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect'
  ➜ Skipping stray line: 'on the learning process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional'
  ➜ Skipping stray line: 'unit consisting of seven components: 1) contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision making,'
  ➜ Skipping stray line: '6) analysis of student learning, and 7) self-evaluation and reflection.'
  ➜ Skipping stray line: 'C888 - Molecular and Cellular Biology - Molecular and Cellular Biology provides students seeking licensure or endorsement in biology, grades 5-12,'
  ➜ Skipping stray line: 'with an introduction to the area of molecular and cellular biology. Molecular and Cellular Biology examines the cell as an organism emphasizing'
  ➜ Skipping stray line: 'molecular basis of cell structure and functions of biological macromolecules, subcellular organelles, intracellular transport, cell division, and biological'
  ➜ Skipping stray line: 'reactions. Prerequisite: Introduction to Biology.'
  ➜ Skipping stray line: 'C889 - Molecular and Cellular Biology - Molecular and Cellular Biology provides students seeking licensure or endorsement in biology, grades 5-12,'
  ➜ Skipping stray line: 'with an introduction to the area of molecular and cellular biology. Molecular and Cellular Biology examines the cell as an organism emphasizing'
  ➜ Skipping stray line: 'molecular basis of cell structure and functions of biological macromolecules, subcellular organelles, intracellular transport, cell division, and biological'
  ➜ Skipping stray line: 'reactions. Prerequisite: Introduction to Biology.'
  ➜ Skipping stray line: 'C890 - Ecology and Environmental Science - Ecology and Environmental Science is an introductory course for undergraduate students seeking'
  ➜ Skipping stray line: 'initial licensure or endorsement in science education for grades 5–12. The course explores the relationships between organisms and their'
  ➜ Skipping stray line: 'environment, including population ecology, communities, adaptations, distributions, interactions, and the environmental factors controlling these'
  ➜ Skipping stray line: 'relationships. This course has no prerequisites.'
  ➜ Skipping stray line: 'C891 - Ecology and Environmental Science - Ecology and Environmental Science is an introductory course for graduate students seeking initial'
  ➜ Skipping stray line: 'licensure or endorsement in science education for grades 5–12. The course introduction to ecology and environmental science and explores the'
  ➜ Skipping stray line: 'relationships between organisms and their environment, including population ecology, communities, adaptations, distributions, interactions, and the'
  ➜ Skipping stray line: 'environmental factors controlling these relationships. This course has no prerequisites.'
  ➜ Skipping stray line: 'C892 - Geology II: Earth Systems - Geology II: Earth Systems provides undergraduate students seeking licensure or endorsement in science'
  ➜ Skipping stray line: 'education for grades 5-12 with an examination of the geosphere, atmosphere, hydrosphere, and biosphere, and the dynamic equilibrium of these'
  ➜ Skipping stray line: 'systems over geologic time. This course also examines the history of Earth and its life-forms, with an emphasis in meteorology. A prerequisite for this'
  ➜ Skipping stray line: 'course is Geology I: Physical.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 169'
  ➜ Skipping stray line: 'C893 - Geology II: Earth Systems - Geology II: Earth Systems provides graduate students seeking licensure or endorsement in science education'
  ➜ Skipping stray line: 'for grades 5-12 with an examination of the geosphere, atmosphere, hydrosphere, and biosphere, and the dynamic equilibrium of these systems over'
  ➜ Skipping stray line: 'geologic time. This course also examines the history of Earth and its life-forms, with an emphasis in meteorology. A prerequisite for this course is'
  ➜ Skipping stray line: 'Geology I: Physical.'
  ➜ Skipping stray line: 'C894 - Astronomy - This course provides undergraduate students seeking initial licensure or endorsement in geosciences for grades 5−12 with'
  ➜ Skipping stray line: 'essential knowledge of astronomy and explores Western history and basic physics of astronomy; phases of the moon and seasons; composition and'
  ➜ Skipping stray line: 'properties of solar system bodies; stellar evolution and remnants; properties and scale of objects and distances within the universe; and introductory'
  ➜ Skipping stray line: 'cosmology. A prerequisite for this course is General Physics.'
  ➜ Skipping stray line: 'C895 - Astronomy - This course provides graduate students seeking initial licensure or endorsement in geosciences for grades 5−12 with essential'
  ➜ Skipping stray line: 'knowledge of astronomy and explores Western history and basic physics of astronomy; phases of the moon and seasons; composition and properties'
  ➜ Skipping stray line: 'of solar system bodies; stellar evolution and remnants; properties and scale of objects and distances within the universe; and introductory cosmology.'
  ➜ Skipping stray line: 'A prerequisite for this course is General Physics.'
  ➜ Skipping stray line: 'C896 - Science Methods - Science Methods provides undergraduate students seeking initial licensure or endorsement in the sciences for grades'
  ➜ Skipping stray line: '5-12 with an introduction to science teaching methods and laboratory safety training. Course content focuses on designing and teaching with the three'
  ➜ Skipping stray line: 'dimensions of science: disciplinary core ideas, crosscutting concepts, and science and engineering practices. Laboratory safety training and'
  ➜ Skipping stray line: 'certification will include the proper use of personal protective equipment and safe laboratory practices and procedures in science classrooms. This'
  ➜ Skipping stray line: 'course has no prerequisites.'
  ➜ Skipping stray line: 'C897 - Mathematics: Content Knowledge - Mathematics: Content Knowledge is designed to help candidates refine and integrate the mathematics'
  ➜ Skipping stray line: 'content knowledge and skills necessary to become successful secondary mathematics teachers. A high level of mathematical reasoning skills and the'
  ➜ Skipping stray line: 'ability to solve problems are necessary to complete this course. Prerequisites for this course are College Geometry, Probability and Statistics I, and'
  ➜ Skipping stray line: 'Pre-Calculus.'
  ➜ Skipping stray line: 'C898 - Earth Science: Content Knowledge - This course covers the advanced content knowledge that a secondary Earth Science teachers is'
  ➜ Skipping stray line: 'expected to know and understand. Topics include basic scientific principles of Earth and Space Sciences, tectonics and internal Earth processes,'
  ➜ Skipping stray line: 'Earth materials and surface processes, history of the Earth and its Life-Forms, Earth's atmosphere and hydrosphhere, and astronomy.'
  ➜ Skipping stray line: 'C900 - Biology: Content Knowledge - This comprehensive course examines a student’s conceptual understanding of a broad range of biology'
  ➜ Skipping stray line: 'topics. High school biology teachers must help students make connections between isolated topics. For example, when studying hormones created by'
  ➜ Skipping stray line: 'endocrine glands traveling through the circulatory system to maintain homeostasis, a student is connecting many biology topics. This course starts'
  ➜ Skipping stray line: 'with macromolecules that make up cellular components and continues with understanding the many cellular processes that allow life to exist.'
  ➜ Skipping stray line: 'Connections are then made between genetics and evolution. Classification of organisms leads into plant and animal development that study the organ'
  ➜ Skipping stray line: 'systems and their role in maintaining homeostasis. The course finishes by studying ecology and how humans affect the environment.'
  ➜ Skipping stray line: 'C901 - Physics: Content Knowledge - Physics: Content Knowledge covers the advanced content knowledge that a secondary physics teacher is'
  ➜ Skipping stray line: 'expected to know and understand. Topics include mechanics, electricity and magnetism, optics and waves, heat and thermodynamics, modern'
  ➜ Skipping stray line: 'physics, atomic and nuclear structure, the history and nature of science, science technology, and social perspectives.'
  ➜ Skipping stray line: 'C902 - Middle School Science: Content Knowledge - This course covers the content knowledge that a middle-level science teacher is expected to'
  ➜ Skipping stray line: 'know and understand. Topics include scientific methodologies, history of science, basic science principles, physical sciences, life sciences, Earth and'
  ➜ Skipping stray line: 'space sciences, and the role of science and technology and their impact on society.'
  ➜ Skipping stray line: 'C903 - Middle School Mathematics: Content Knowledge - Mathematics: Middle School Content Knowledge is designed to help candidates refine'
  ➜ Skipping stray line: 'and integrate the mathematics content knowledge and skills necessary to become successful middle school mathematics teachers. A high level of'
  ➜ Skipping stray line: 'mathematical reasoning skills and the ability to solve problems are necessary to complete this course. Prerequisites for this course are College'
  ➜ Skipping stray line: 'Geometry, Probability and Statistics I, and Pre-Calculus.'
  ➜ Skipping stray line: 'C904 - Teacher Performance Assessment in Science - The Teacher Performance Assessment in Science is a culmination of the wide variety of'
  ➜ Skipping stray line: 'skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a'
  ➜ Skipping stray line: 'collection of your content, planning, instructional, and'
  ➜ Skipping stray line: 'reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C907 - Introduction to Biology - This course is a foundational introduction to the biological sciences. The overarching theories of life from biological'
  ➜ Skipping stray line: 'research are explored as well as the fundamental concepts and principles of the study of living organisms and their interaction with the environment.'
  ➜ Skipping stray line: 'Key concepts include how living organisms use and produce energy; how life grows, develops, and reproduces; how life responds to the environment'
  ➜ Skipping stray line: 'to maintain internal stability; and how life evolves and adapts to the environment.'
  ➜ Skipping stray line: 'C908 - Integrated Physical Sciences - This course provides students with an overview of the basic principles and unifying ideas of the physical'
  ➜ Skipping stray line: 'sciences: physics, chemistry, and Earth sciences. Course materials focus on scientific reasoning and practical and everyday applications of physical'
  ➜ Skipping stray line: 'science concepts to help students integrate conceptual knowledge with practical skills.'
  ➜ Skipping stray line: 'C909 - Elementary Reading Methods and Interventions - Elementary Reading Methods and Interventions provides students seeking initial teacher'
  ➜ Skipping stray line: 'licensure in elementary education with an in-depth look at best practices for developing the reading and writing skills of all students. Course content'
  ➜ Skipping stray line: 'examines the stages of literacy development, the balanced literacy approach, differentiation, technology integration, literacy-assessment, and the'
  ➜ Skipping stray line: 'comprehensive Response to Intervention (RTI) model used to identify and address the needs of learners who struggle with reading comprehension.'
  ➜ Skipping stray line: 'This course has no prerequisites.'
  ➜ Skipping stray line: 'C910 - Elementary Reading Methods and Interventions - Elementary Reading Methods and Interventions provides students seeking initial teacher'
  ➜ Skipping stray line: 'licensure in elementary education with an in-depth look at best practices for developing the reading and writing skills of all students. Course content'
  ➜ Skipping stray line: 'examines the stages of literacy development, the balanced literacy approach, differentiation, technology integration, literacy-assessment, and the'
  ➜ Skipping stray line: 'comprehensive Response to Intervention (RTI) model used to identify and address the needs of learners who struggle with reading comprehension.'
  ➜ Skipping stray line: 'This course has no prerequisites.'
  ➜ Skipping stray line: 'C912 - College Algebra - This course provides further application and analysis of algebraic concepts and functions through mathematical modeling of'
  ➜ Skipping stray line: 'real-world situations. Topics include: real numbers, algebraic expressions, equations and inequalities, graphs and functions, polynomial and rational'
  ➜ Skipping stray line: 'functions, exponential and logarithmic functions, and systems of linear equations.'
  ➜ Skipping stray line: 'C913 - Psychology for Educators - This course prepares candidates to meet the expectations of society and prepares future educators to support'
  ➜ Skipping stray line: 'classroom practice with research-validated concepts. The course helps future educators to create a framework for refining teaching skills that are'
  ➜ Skipping stray line: 'focused on the learner, through engaged inquiry of integrating theory, critical issues in psychology, classroom applications with diverse populations,'
  ➜ Skipping stray line: 'assessment, educational technology, and reflective teaching.'
  ➜ Skipping stray line: 'C914 - Teacher Performance Assessment in Mathematics Education - The Teacher Performance Assessment is a culmination of the wide variety'
  ➜ Skipping stray line: 'of skills learned during your time'
  ➜ Skipping stray line: 'in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of your content,'
  ➜ Skipping stray line: 'planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 170'
  ➜ Skipping stray line: 'C915 - Chemistry: Content Knowledge - Chemistry: Content Knowledge provides advanced instruction in the main areas of chemistry for which'
  ➜ Skipping stray line: 'secondary chemistry teachers are expected to demonstrate competency. Topics include matter and energy, thermochemistry, structure, bonding,'
  ➜ Skipping stray line: 'reactivity, biochemistry and organic chemistry, solutions, nature of science, technology and social perspectives, mathematics, and laboratory'
  ➜ Skipping stray line: 'procedures.'
  ➜ Skipping stray line: 'C925 - Earth: Inside and Out - Earth: Inside and Out explores the ways in which our dynamic planet evolved, and the processes and systems that'
  ➜ Skipping stray line: 'continue to shape it. Though the geologic record is incredibly ancient, it has only been studied intensely since the end of the nineteenth century. Since'
  ➜ Skipping stray line: 'then, research in fields such as geologic time, plate tectonics, climate change, exploration of the deep sea floor, and the inner earth have vastly'
  ➜ Skipping stray line: 'increased our understanding of geological processes. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C926 - Earth: Inside and Out - Earth: Inside and Out explores the ways in which our dynamic planet evolved, and the processes and systems that'
  ➜ Skipping stray line: 'continue to shape it. Though the geologic record is incredibly ancient, it has only been studied intensely since the end of the nineteenth century. Since'
  ➜ Skipping stray line: 'then, research in fields such as geologic time, plate tectonics, climate change, exploration of the deep sea floor, and the inner earth have vastly'
  ➜ Skipping stray line: 'increased our understanding of geological processes. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C930 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C931 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C932 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C933 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C934 - Preclinical Experiences in Elementary and Special Education - Preclinical Experiences in Elementary and Special Education provides'
  ➜ Skipping stray line: 'students the opportunity to observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence'
  ➜ Skipping stray line: 'necessary to be an effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the'
  ➜ Skipping stray line: 'classroom for the observations, students will be required to meet several requirements including a cleared background check, passing scores on the'
  ➜ Skipping stray line: 'state or WGU required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C935 - Preclinical Experiences in Elementary Education - Preclinical Experiences in Elementary Education provides students the opportunity to'
  ➜ Skipping stray line: 'observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an'
  ➜ Skipping stray line: 'effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the'
  ➜ Skipping stray line: 'observations, students will be required to meet several requirements including a cleared background check, passing scores on the state or WGU'
  ➜ Skipping stray line: 'required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C936 - Preclinical Experiences in Elementary Education - Preclinical Experiences in Elementary Education provides students the opportunity to'
  ➜ Skipping stray line: 'observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an'
  ➜ Skipping stray line: 'effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the'
  ➜ Skipping stray line: 'observations, students will be required to meet several requirements including a cleared background check, passing scores on the state or WGU'
  ➜ Skipping stray line: 'required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C937 - Preclinical Experiences in Science - Preclinical Experiences in Science provides students the opportunity to observe and participate in a'
  ➜ Skipping stray line: 'wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will'
  ➜ Skipping stray line: 'reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required'
  ➜ Skipping stray line: 'to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed'
  ➜ Skipping stray line: 'resume.'
  ➜ Skipping stray line: 'C938 - Preclinical Experiences in Science - Preclinical Experiences in Science provides students the opportunity to observe and participate in a'
  ➜ Skipping stray line: 'wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will'
  ➜ Skipping stray line: 'reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required'
  ➜ Skipping stray line: 'to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed'
  ➜ Skipping stray line: 'resume.'
  ➜ Skipping stray line: 'CQC2 - Calculus II - Calculus II is the study of the accumulation of change in relation to the area under a curve. It covers the knowledge and skills'
  ➜ Skipping stray line: 'necessary to apply integral calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include'
  ➜ Skipping stray line: 'antiderivatives; indefinite integrals; the substitution rule; Riemann sums; the Fundamental Theorem of Calculus; definite integrals; acceleration,'
  ➜ Skipping stray line: 'velocity, position, and initial values; integration by parts; integration by trigonometric substitution; integration by partial fractions; numerical integration;'
  ➜ Skipping stray line: 'improper integration; area between curves; volumes and surface areas of revolution; arc length; work; center of mass; separable differential equations;'
  ➜ Skipping stray line: 'direction fields; growth and decay problems; and sequences. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'CUA1 - Culture - Focuses on the nature and role of culture and the importance of cultural groups and cultural identity.'
  ➜ Skipping stray line: 'CWEL - Capstone Written Project in Educational Leadership - The capstone project will consist of the design and implementation of a short-term'
  ➜ Skipping stray line: 'datadriven school improvement initiative. Through the case study approach and during the capstone experience, you will identify one or more'
  ➜ Skipping stray line: 'measurable outcome improvement areas in your case study / practicum site. You will propose and develop short-term school improvement initiatives'
  ➜ Skipping stray line: 'and will then measure the outcomes and results of your implemented improvement initiatives.'
  ➜ Skipping stray line: 'CZC1 - Accounting II - Accounting II is a continuation of the topics that were addressed in Accounting I. Accounting II focuses on ways in which'
  ➜ Skipping stray line: 'accounting principles are used in business operations, deepening the student's understanding of Generally Accepted Accounting Principles (GAAP),'
  ➜ Skipping stray line: 'inventory, liabilities, and budgets. This course also introduces topics that are important for corporate accounting and financial analysis.'
  ➜ Skipping stray line: 'DPT1 - Physics: Electricity and Magnetism - Physics: Electricity and Magnetism addresses principles related to the physics of electricity and'
  ➜ Skipping stray line: 'magnetism. Students will study electric and magnetic forces and then apply that knowledge to the study of circuits with resistors and electromagnetic'
  ➜ Skipping stray line: 'induction and waves, focusing on such topics as: Electric charge and electric field, electric currents and resistance, magnetism, electromagnetic'
  ➜ Skipping stray line: 'induction and Faraday's law, and Maxwell's equation and electromagnetic waves.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 171'
  ➜ Skipping stray line: 'DPT2 - Physics: Electricity and Magnetism - Physics: Electricity and Magnetism addresses principles related to the physics of electricity and'
  ➜ Skipping stray line: 'magnetism. Students will study electric and magnetic forces and then apply that knowledge to the study of circuits with resistors and electromagnetic'
  ➜ Skipping stray line: 'induction and waves, focusing on such topics as: Electric charge and electric field, electric currents and resistance, magnetism, electromagnetic'
  ➜ Skipping stray line: 'induction and Faraday's law, and Maxwell's equation and electromagnetic waves.'
  ➜ Skipping stray line: 'DRC1 - Educational Assessment - Educational Assessment assists students in making appropriate data-driven instructional decisions by exploring'
  ➜ Skipping stray line: 'key concepts relevant to the administration, scoring, and interpretation of classroom assessments. Topics include ethical assessment practices,'
  ➜ Skipping stray line: 'designing assessments, aligning assessments, and utilizing technology for assessment.'
  ➜ Skipping stray line: 'DWP2 - Application of Elementary Social Studies Methods - Application of Elementary Social Studies Methods helps students learn how to'
  ➜ Skipping stray line: 'implement effective social studies instruction in the elementary classroom. Topics include social studies themes, promoting cultural diversity,'
  ➜ Skipping stray line: 'integrated social studies across the curriculum, social studies learning environments, assessing social studies understanding, differentiated instruction'
  ➜ Skipping stray line: 'for social studies, technology for social studies instruction, and standards-based social studies instruction. This course helps students to apply,'
  ➜ Skipping stray line: 'analyze, and reflect on effective elementary social studies instruction.'
  ➜ Skipping stray line: 'DZP2 - Application of Elementary Visual and Performing Arts Methods - Application of Elementary Visual and Performing Arts Methods helps'
  ➜ Skipping stray line: 'students learn how to implement effective visual and performing arts instruction in the elementary classroom. Topics include integrating arts across the'
  ➜ Skipping stray line: 'curriculum, music education, visual arts, dance and movement, dramatic arts, differentiated instruction for visual and performing arts, and promoting'
  ➜ Skipping stray line: 'cultural diversity through visual and performing arts instruction. This course helps students to apply, analyze, and reflect on effective elementary visual'
  ➜ Skipping stray line: 'and performing arts instruction.'
  ➜ Skipping stray line: 'EBP2 - Application of Elementary Physical Education and Health Methods - Applications of Elementary Physical Education and Health Methods'
  ➜ Skipping stray line: 'helps students learn how to implement effective physical and health education instruction in the elementary classroom. Topics include healthy'
  ➜ Skipping stray line: 'lifestyles, student safety, student nutrition, physical education, differentiated instruction for physical and health education, physical education across'
  ➜ Skipping stray line: 'the curriculum, and public policy in health and physical education. This course helps students to apply, analyze, and reflect on effective elementary'
  ➜ Skipping stray line: 'visual and performing arts instruction.'
  ➜ Skipping stray line: 'EFP1 - Cultural Studies and Diversity - Cultural Studies and Diversity focuses on the development of cultural awareness. Students will analyze the'
  ➜ Skipping stray line: 'role of culture in today’s world, develop culturally-responsive practices, and understand the barriers to and the benefits of diversity.'
  ➜ Skipping stray line: 'EFV1 - Behavioral Management and Intervention - Behavioral Management and Intervention explores the challenges of working with students with'
  ➜ Skipping stray line: 'emotional and behavioral disabilities and helps students learn about theories, interventions, practices, and assessments that can influence these'
  ➜ Skipping stray line: 'children's opportunities for success. It further helps students better be able to make decisions about how to strategize behavior'
  ➜ Skipping stray line: 'adjustments for individual students.'
  ➜ Skipping stray line: 'EFV2 - Behavioral Management and Intervention - Behavioral Management and Intervention explores the challenges of working with students with'
  ➜ Skipping stray line: 'emotional and behavioral disabilities and helps students learn about theories, interventions, practices, and assessments that can influence these'
  ➜ Skipping stray line: 'children's opportunities for success. It further helps students better be able to make decisions about how to strategize behavior adjustments for'
  ➜ Skipping stray line: 'individual students.'
  ➜ Skipping stray line: 'ELO1 - Subject Specific Pedagogy: ELL - Subject Specific Pedagogy: ELL integrates aspects of pedagogy, assessment, and professionalism in'
  ➜ Skipping stray line: 'English Language Learning (ELL). A student develops and assesses aspects of language curriculum development including second language'
  ➜ Skipping stray line: 'instruction, methods of second language assessment, and legal policy issues.'
  ➜ Skipping stray line: 'EST1 - Ethical Situations in Business - Ethical Situations in Business explores various scenarios in business and helps students learn to develop'
  ➜ Skipping stray line: 'ethical and socially responsible courses of action. Students will also learn to develop an appropriate and comprehensive ethics program for a business'
  ➜ Skipping stray line: 'venture.'
  ➜ Skipping stray line: 'EXP2 - College Geometry - College Geometry covers the knowledge and skills necessary to apply geometry to model and solve real-life problems, to'
  ➜ Skipping stray line: 'do formal axiomatic proofs in geometry, and to use dynamic technology to explore geometry. Topics include axiomatic systems and analytic proof;'
  ➜ Skipping stray line: 'non-Euclidean geometries; construction, analytic, and synthetic methods for investigating and proving properties and relationships of two- and three-'
  ➜ Skipping stray line: 'dimensional objects; geometric transformations, tessellations, and using inductive reasoning; concrete models; and dynamic technology to conduct'
  ➜ Skipping stray line: 'geometric investigations. College Algebra and Pre-Calculus are prerequisites for this course.'
  ➜ Skipping stray line: 'FCC1 - Introduction to Special Education, Law and Legal Issues - Introduction to Special Education, Law and Legal Issues introduces the history'
  ➜ Skipping stray line: 'and nature of special education and how it relates to general education, as well as specific legal acts and concepts governing it. Topics include history'
  ➜ Skipping stray line: 'of special education, the Individuals with Disabilities Education Act, the No Child Left Behind Act, FAPE (free, appropriate public education), and least'
  ➜ Skipping stray line: 'restrictive environments.'
  ➜ Skipping stray line: 'FCC2 - Introduction to Special Education, Law and Legal Issues, Policies and Procedures - Introduction to Special Education, Law and Legal'
  ➜ Skipping stray line: 'Issues, Policies and Procedures introduces the history and nature of special education and how it relates to general education, as well as specific'
  ➜ Skipping stray line: 'legal acts and concepts governing it. Topics include history of special education, the Individuals with Disabilities Education Act, the No Child Left'
  ➜ Skipping stray line: 'Behind Act, FAPE (free, appropriate public education), and least restrictive environments.'
  ➜ Skipping stray line: 'FEA1 - Field Experience for ELL - Field Experience for ELL is the field experience component of the English Language Learning program. In this'
  ➜ Skipping stray line: 'experience, students are required to complete a minimum of 15 hours of observations at both elementary and secondary levels. Additionally, a'
  ➜ Skipping stray line: 'supervised teaching experience that is face-to-face with English language learners according to the minimum time requirements of your state is'
  ➜ Skipping stray line: 'required. The purpose of this course is to assess the ability of the student including their engagement in field experience activities, ability to reflect on'
  ➜ Skipping stray line: 'and then plan standards-based instruction in ELL, and their ability to locate and effectively use resources for teaching ELL to meet the needs of their'
  ➜ Skipping stray line: 'individual students.'
  ➜ Skipping stray line: 'FJC1 - Psychoeducational Assessment Practices and IEP Development/Implementation - Psychoeducational Assessment Practices and IEP'
  ➜ Skipping stray line: 'Development/Implementation prepares students to apply knowledge the IEP as they work with students who have mild to moderate disabilities in a'
  ➜ Skipping stray line: 'wide variety of possible situations, all with an emphasis on cross-categorical inclusion. It helps students gain fluency in their understanding of the 13'
  ➜ Skipping stray line: 'disability categories, assessment, curriculum, and instruction.'
  ➜ Skipping stray line: 'FJC2 - Psychoeducational Assessment Practices and IEP Development/Implementation - Psychoeducational Assessment Practices and IEP'
  ➜ Skipping stray line: 'Development/Implementation prepares students to apply knowledge the IEP as they work with students who have mild to moderate disabilities in a'
  ➜ Skipping stray line: 'wide variety of possible situations, all with an emphasis on cross-categorical inclusion. It helps students gain fluency in their understanding of the 13'
  ➜ Skipping stray line: 'disability categories, assessment, curriculum, and instruction.'
  ➜ Skipping stray line: 'FLC1 - Instructional Models and Design, Supervision and Culturally Response Teaching - Instructional Models and Design, Supervision and'
  ➜ Skipping stray line: 'Culturally Response Teaching helps students understand the role of special education in the development of instruction, why this field exists separate'
  ➜ Skipping stray line: 'from and in conjunction with general education, where it is going, and how they can help coordinate inclusion for students. Students will gain expertise'
  ➜ Skipping stray line: 'in developing instructional, curricular, and environmental interventions based on assessment data and student need.'
  ➜ Skipping stray line: 'FLC2 - Instructional Models and Design, Supervision and Culturally Responsive Teaching - Instructional Models and Design, Supervision and'
  ➜ Skipping stray line: 'Culturally Responsive Teaching helps students understand the role of special education in the development of instruction, why this field exists'
  ➜ Skipping stray line: 'separate from and in conjunction with general education, where it is going, and how they can help coordinate inclusion for students. Students will gain'
  ➜ Skipping stray line: 'expertise in developing instructional, curricular, and environmental interventions based on assessment data and student need.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 172'
  ➜ Skipping stray line: 'FVC1 - Global Business - This course provides an introduction to global business. The advantages of global production and the benefits of trade are'
  ➜ Skipping stray line: 'critical aspects of global business. Many factors influence global business, such as transparency, geography, corruption, intellectual property'
  ➜ Skipping stray line: 'protections, outsourcing and off-shoring, operation management, and generally accepted accounting principles.'
  ➜ Skipping stray line: 'FXT2 - Disaster Recovery Planning, Prevention and Response - This course prepares students to plan and execute industry best practices related'
  ➜ Skipping stray line: 'to conducting organization-wide information assurance initiatives and to preparing an organization for implementing a comprehensive Information'
  ➜ Skipping stray line: 'Assurance Management program.'
  ➜ Skipping stray line: 'HMP1 - Cases in Advanced Human Resource Management - During Cases in Advanced Human Resource Management students apply their'
  ➜ Skipping stray line: 'knowledge of human resource management by completing a case study. Students will apply critical human resource strategies in the areas of'
  ➜ Skipping stray line: 'legal/regulatory compliance, recruitment and selection of personnel, performance and feedback mechanisms, and financial and benefits'
  ➜ Skipping stray line: 'compensation.'
  ➜ Skipping stray line: 'IDC1 - Foundations of Instructional Design - Foundations of Instructional Design provides an overview of how to select the most appropriate'
  ➜ Skipping stray line: 'learning theories, design processes, and instructional strategies based on learner audience, instructional setting, and current and desired state of'
  ➜ Skipping stray line: 'learning.'
  ➜ Skipping stray line: 'IYT2 - Introduction to Curriculum Theory - For over 200 years, educators in the United States have debated the purpose of education. Should'
  ➜ Skipping stray line: 'education be for enlightenment or to prepare students for the life of work? Should education be for many or for a select few? These questions continue'
  ➜ Skipping stray line: 'to be debated today. Through curriculum theory and reflection, educators have an educational framework by which to understand how theory and'
  ➜ Skipping stray line: 'one's philosophical views can impact the design, development, and implementation of curriculum and instruction. With this in mind, Introduction to'
  ➜ Skipping stray line: 'Curriculum Theory focuses on exploring and applying an understanding of Scholar Academic, Social Efficiency, Learner Centered, and Social'
  ➜ Skipping stray line: 'Reconstruction ideologies in various instructional settings and on the development on one’s own curriculum philosophy.'
  ➜ Skipping stray line: 'IZT2 - Learning Theories - Learning Theories focuses on the complexity of the current learning environment and how behaviorism, cognitivism,'
  ➜ Skipping stray line: 'constructivism, and personal learning philosophy can assist in the development of appropriate curriculum and instruction.'
  ➜ Skipping stray line: 'JIT2 - Risk Management - Content focuses on categorizing levels of risk and understanding how risk can impact the operations of the business'
  ➜ Skipping stray line: 'through a scenario involving the creation of a risk management program and business continuity program for a company and a business situation'
  ➜ Skipping stray line: 'reacting to a crisis/disaster situation affecting the company.'
  ➜ Skipping stray line: 'JNT2 - Instructional Design Analysis - Instructional Design Analysis focuses on using analysis of needs to determine the needs and interests of'
  ➜ Skipping stray line: 'learners, and scope and sequence for developing a logical approach for an education program to formulate appropriate and measurable program'
  ➜ Skipping stray line: 'objectives.'
  ➜ Skipping stray line: 'JOT2 - Issues in Instructional Design - Issues in Instructional Design focuses on learning theories, learner analysis, scope and sequence,'
  ➜ Skipping stray line: 'instructional strategies, task analysis and design theories, media and technology foundations, and adaptive technologies for special populations for'
  ➜ Skipping stray line: 'creating effective, well-articulated, and efficient instruction.'
  ➜ Skipping stray line: 'JPT2 - Instructional Design Production - Instructional Design Production focuses on the application of a systematic process of instructional design,'
  ➜ Skipping stray line: 'namely the concepts and procedure for analyzing and designing successful instruction. This course will prepare students to conduct a goal analysis, a'
  ➜ Skipping stray line: 'process used to identify instructional goals, as well as a task analysis, which is used to determine the skills and knowledge required to accomplish'
  ➜ Skipping stray line: 'those goals. This course also focuses on writing performance objectives, designing assessments, and developing instruction that incorporates relevant'
  ➜ Skipping stray line: 'learning theories. Methods for formatively evaluating a unit of instruction are also introduced. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'JQT2 - Issues in Measurement and Evaluation - Issues in Measurement and Evaluation focuses on the understanding of formative and summative'
  ➜ Skipping stray line: 'evaluation, quantitative and qualitative data collection tools, including rubrics and the processes of evaluation.'
  ➜ Skipping stray line: 'JRT2 - Evaluation Methodology and Instrumentation - Evaluation Methodology and Instrumentation focuses on using qualitative and quantitative'
  ➜ Skipping stray line: 'data collection tools and techniques to construct and evaluate valid and reliable measuring instruments.'
  ➜ Skipping stray line: 'JST2 - Evaluation Process and Recommendation - Evaluation Process and Recommendation focuses on implementing and interpreting an'
  ➜ Skipping stray line: 'evaluation and the reporting of the results and recommendations to stakeholders.'
  ➜ Skipping stray line: 'JWT2 - Instructional Theory - Instructional Theory focuses on exploring instructional design theory and related models and processes. Students will'
  ➜ Skipping stray line: 'apply instructional design principles to the design and delivery of plans to meet the learning needs found in the instructional setting.'
  ➜ Skipping stray line: 'JXT2 - Educational Psychology - Educational Psychology examines the latest findings in child and adolescent development and provides educators'
  ➜ Skipping stray line: 'the opportunity to apply educational psychology to various instructional settings. Students will explore the areas of applied educational psychology to'
  ➜ Skipping stray line: 'teaching, cognitive development, social development, and cultural development. They will design, develop, modify, and evaluate curriculum and'
  ➜ Skipping stray line: 'instruction in various educational settings according to child/adolescent development.'
  ➜ Skipping stray line: 'JYT2 - Curriculum Design - Curriculum Design focuses on exploring curriculum design theory, educational standards, and design frameworks for'
  ➜ Skipping stray line: 'what to teach. Together these topics will provide educators with the ability to take principles of curriculum design theory and related models and apply'
  ➜ Skipping stray line: 'them when developing, designing, and modifying curriculum to meet learning needs in their instructional setting.'
  ➜ Skipping stray line: 'JZT2 - Curriculum Evaluation - Curriculum Evaluation focuses on exploring evaluation systems and student data to determine the effectiveness of'
  ➜ Skipping stray line: 'curriculum. It also focuses on differentiating curriculum based on student data.'
  ➜ Skipping stray line: 'KAT2 - Assessment for Student Learning - Assessment for Student Learning focuses on developing the knowledge and skills to identify, develop,'
  ➜ Skipping stray line: 'and design instrument tools for evaluating student learning. It also explores the use of objective and performance-based, formative, and summative'
  ➜ Skipping stray line: 'assessments and their results in the evaluation of curriculum and instruction for student learning.'
  ➜ Skipping stray line: 'KBT2 - Differentiated Instruction - Differentiated Instruction focuses on developing and implementing curriculum and instruction that that best meets'
  ➜ Skipping stray line: 'the needs of all learners within a given instructional setting.'
  ➜ Skipping stray line: 'LEC1 - Comprehensive Educational Leadership Integration - You will complete a comprehensive objective proctored assessment in Educational'
  ➜ Skipping stray line: 'Leadership theory and practices, including administrative theory, school law, school finance, curriculum development and implementation, personnel'
  ➜ Skipping stray line: 'management, public relations, and technology. You will be required to pass the Comprehensive Educational Leadership Integration objective'
  ➜ Skipping stray line: 'assessment.'
  ➜ Skipping stray line: 'LFT1 - Student, Stakeholder, and Market Focus for Educational Leaders - This subdomain reviews principles and practices of meeting'
  ➜ Skipping stray line: 'stakeholder needs and reviews your case study site’s effectiveness in managing stakeholder relationships.'
  ➜ Skipping stray line: 'LMT1 - Measurement, Analysis, and Knowledge Management for Educational Leaders - This subdomain reviews principles and practices of'
  ➜ Skipping stray line: 'program and curriculum effectiveness evaluation as well as best practices in technology for educational leaders. You also complete a program,'
  ➜ Skipping stray line: 'practice, or curriculum effectiveness evaluation in your case study site as well as an evaluation of technology implementation.'
  ➜ Skipping stray line: 'LNT1 - Process Management for Educational Leaders - This subdomain reviews best practices in process management for educational leaders, as'
  ➜ Skipping stray line: 'well as an evaluation of your case study site’s process management policies and practices.'
  ➜ Skipping stray line: 'LPA1 - Language Production, Theory and Acquisition - Language Production, Theory and Acquisition focuses on describing and understanding'
  ➜ Skipping stray line: 'language and the development of language. It includes the study of acquisition theory, grammar, and applied phonetics.'
  ➜ Skipping stray line: 'LPT1 - Performance Excellence Criteria for Educational Leaders - This subdomain reviews the case study model and prepares you to complete a'
  ➜ Skipping stray line: 'thorough review of the effectiveness of their case study site’s operations, outcomes, and leadership.'
  ➜ Skipping stray line: 'LQT2 - Information Security and Assurance Capstone Project - Students will be able to choose from three areas of emphasis, depending on'
  ➜ Skipping stray line: 'personal and professional interests. Students will complete a capstone project that deals with a significant real-world business problem that further'
  ➜ Skipping stray line: 'integrates the components of the degree. Capstone projects will require an oral defense before a committee of WGU faculty.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 173'
  ➜ Skipping stray line: 'LRT1 - Practicum in Educational Leadership - Foundational Perspectives of Education includes a series of performance tasks to take place under'
  ➜ Skipping stray line: 'the leadership of a practicing state licensed school principal or assistant principal in a practicum school site (K–12). This assessment also includes'
  ➜ Skipping stray line: 'completion of assigned administrative duties to take place in both elementary (K–6) and secondary (7–12) settings under the leadership and'
  ➜ Skipping stray line: 'supervision of the cooperating administrator in your case study school site. Practicum requirements vary by state of intended licensure and WGU'
  ➜ Skipping stray line: 'program requirements, and the standard has been set between 275 and 540 of logged practicum activities that span a minimum of six consecutive'
  ➜ Skipping stray line: 'months. Please refer back to the WGU Student Handbook for reference of your program requirements. You are required to pass the Practicum in'
  ➜ Skipping stray line: 'Educational Leadership performance assessments and successfully submit other documentation, including evaluations of your performance'
  ➜ Skipping stray line: 'completed by the cooperating administrator and documentation of completion of state-required hours of assigned administrative duties. The'
  ➜ Skipping stray line: 'Educational Leadership Practicum requires a practicum fee. During the Educational Leadership Practicum, you are also expected to take and pass'
  ➜ Skipping stray line: 'your state's licensure examination(s) required for certification as a school principal and the PRAXIS 5411 Educational Leadership: Administration and'
  ➜ Skipping stray line: 'Supervision exam.'
  ➜ Skipping stray line: 'LST1 - Strategic Planning for Educational Leaders - This subdomain reviews principles and practices of the strategic planning process as well as a'
  ➜ Skipping stray line: 'case study review of the strategic planning processes in your case study site.'
  ➜ Skipping stray line: 'LWT1 - Workforce Focus for Educational Leaders - This subdomain reviews best practices in human resource administration for educational'
  ➜ Skipping stray line: 'leaders, as well as an evaluation of your case study site’s workforce management practices.'
  ➜ Skipping stray line: 'LZT2 - Power, Influence and Leadership - This course focuses on the development of the critical leadership and soft skills necessary for success in'
  ➜ Skipping stray line: 'information technology leadership and management. The course focuses specifically on skills such as cultivating effective leadership communication,'
  ➜ Skipping stray line: 'building personal influence, enhancing emotional intelligence (soft skills), generating ideas and encouraging idea generation in others, conflict'
  ➜ Skipping stray line: 'resolution, and positioning oneself as an influential change agent within different organizational cultures.'
  ➜ Skipping stray line: 'MAT2 - Information Technology Management - This course will prepare students to cope with information technology resources in a manner'
  ➜ Skipping stray line: 'beneficial to their company. Such skill includes estimating both the cost and value of IT to the company, setting priorities for project selection,'
  ➜ Skipping stray line: 'management of IT projects, and handling risk. These responsibilities imply an ability to align technology with an organization’s strategic goals. In total,'
  ➜ Skipping stray line: 'students will develop the ability to effectively administer and manage current and emerging technologies within an organization.'
  ➜ Skipping stray line: 'MBT2 - Technological Globalization - This course is designed to equip students to better understand the fundamental, galvanizing and'
  ➜ Skipping stray line: 'transformational role of advanced IT communications, networks and services in all major industries; advanced IT is an unparalleled force multiplier in'
  ➜ Skipping stray line: 'scientific research, energy production and use, health and medicine. IT is a critical resource in the global community, economically, socially, politically'
  ➜ Skipping stray line: 'and culturally.'
  ➜ Skipping stray line: 'MCT2 - Technical Writing - As IT professionals are frequently required to interface with customers, clients, other departments, organizational leaders,'
  ➜ Skipping stray line: 'and even other institutions, strong communication skills are vital. In this course, students learn to communicate accurately, effectively, and ethically to'
  ➜ Skipping stray line: 'a variety of audiences. Students design communication to fit oral, print, and multi-media contexts. They develop rhetorical sensitivity in both their'
  ➜ Skipping stray line: 'writing and their design decisions.'
  ➜ Skipping stray line: 'MEC1 - Foundations of Measurement and Evaluation - Foundations of Measurement and Evaluation focuses on assessment validity, constructing'
  ➜ Skipping stray line: 'reliable test instruments, identifying appropriate item and instrument types, qualitative data collection tools and techniques, and conducting a formative'
  ➜ Skipping stray line: 'and summative evaluation for an instruction product or program.'
  ➜ Skipping stray line: 'MFT2 - Mathematics (K-6) Portfolio Oral Defense - Mathematics (K-6) Portfolio Oral Defense: Mathematics (K-6) Portfolio Defense focuses on a'
  ➜ Skipping stray line: 'formal presentation. The student will present an overview of their teacher work sample (TWS) portfolio discussing the challenges they faced and how'
  ➜ Skipping stray line: 'they determined whether their goals were accomplished. They will explain the process they went through to develop the TWS portfolio and reflect on'
  ➜ Skipping stray line: 'the methodologies and outcomes of the strategies discussed in the TWS portfolio. Additionally, they will discuss the strengths and weaknesses of'
  ➜ Skipping stray line: 'those strategies and how they can apply what they learned from the TWS portfolio in their professional work environment.'
  ➜ Skipping stray line: 'MGT2 - IT Project Management - IT Project Management provides an overview of the Project Management Institute’s project management'
  ➜ Skipping stray line: 'methodology. Topics cover various process groups and knowledge areas and application of knowledge in case studies for planning a project that has'
  ➜ Skipping stray line: 'not started yet and monitoring/controlling a project that is already underway.'
  ➜ Skipping stray line: 'MMT2 - IT Strategic Solutions - In IT Strategic Solutions the learner will have the opportunity to identify strategic opportunities and emerging'
  ➜ Skipping stray line: 'technologies as they research and decide on a system to support a growing company. Topics will include technology strategy; gap analysis;'
  ➜ Skipping stray line: 'researching new technology; strengths, opportunities, weaknesses, and threats; ethics; risk mitigation; data security, communication plans; and'
  ➜ Skipping stray line: 'globalization.'
  ➜ Skipping stray line: 'NHC1 - Introduction to Instructional Planning and Presentation - Students will develop a basic understanding of effective instructional principles'
  ➜ Skipping stray line: 'and how to differentiate instruction in order to elicit powerful teaching in the classroom.'
  ➜ Skipping stray line: 'NMA1 - Professional Role of the ELL Teacher - The Professional Role of the ELL Teacher focuses on issues of professionalism for the English'
  ➜ Skipping stray line: 'Language Learning teacher and leader. This includes program development, ethics, engagement in professional organizations, serving as a resource,'
  ➜ Skipping stray line: 'and ELL advocacy.'
  ➜ Skipping stray line: 'NNA1 - Planning, Implementing, Managing Instruction - Planning, Implementing, Managing Instruction focuses on a variety of philosophies and'
  ➜ Skipping stray line: 'grade levels of English Language Learner (ELL) instruction. It includes the study of ELL listening and speaking, ELL reading and writing, specially'
  ➜ Skipping stray line: 'designed academic instruction in English (SDAIE), and specific issues for various grade level instruction.'
  ➜ Skipping stray line: 'OOT2 - Mathematics History and Technology - Mathematics History and Technology introduces a variety of technological tools for doing'
  ➜ Skipping stray line: 'mathematics, and you will develop a broad understanding of the historical development of mathematics. You will come to understand that'
  ➜ Skipping stray line: 'mathematics is a very human subject that comes from the macro-level sweep of cultural and societal change, as well as the micro-level actions of'
  ➜ Skipping stray line: 'individuals with personal, professional, and philosophical motivations. Most importantly, you will learn to evaluate and apply technological tools and'
  ➜ Skipping stray line: 'historical information to create an enriching student-centered mathematical learning environment. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'OPT2 - Mathematics Learning and Teaching - Mathematics Learning and Teaching will help you develop the knowledge and skills necessary to'
  ➜ Skipping stray line: 'become a prospective and practicing educator. You will be able to use a variety of instructional strategies to effectively facilitate the learning of'
  ➜ Skipping stray line: 'mathematics. This course focuses on selecting appropriate resources, using multiple strategies, and instructional planning, with methods based on'
  ➜ Skipping stray line: 'research and problem solving. A deep understanding of the knowledge, skills, and disposition of mathematics pedagogy is necessary to become an'
  ➜ Skipping stray line: 'effective secondary mathematics educator. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'PFHM - Business - HR Management Portfolio Requirement - Students prepare a culminating professional portfolio to demonstrate the'
  ➜ Skipping stray line: 'competencies they have learned throughout their program. The portfolio includes a strengths essay, a career report, a reflection essay, a résumé, and'
  ➜ Skipping stray line: 'exhibits demonstrating personal strengths in the work place.'
  ➜ Skipping stray line: 'PFIT - Business - IT Management Portfolio Requirement - Business - IT Management Portfolio Requirement is designed to help the learner'
  ➜ Skipping stray line: 'complete the culminating Undergraduate Business Portfolio assessment; it focuses on developing a business portfolio containing a strengths essay, a'
  ➜ Skipping stray line: 'career report, a reflection essay, a resume, and exhibits that support one’s strengths in the work place.'
  ➜ Skipping stray line: 'QDT1 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'
  ➜ Skipping stray line: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'
  ➜ Skipping stray line: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'
  ➜ Skipping stray line: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'
  ➜ Skipping stray line: 'Algebra is a prerequisite for this course.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 174'
  ➜ Skipping stray line: 'QDT2 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'
  ➜ Skipping stray line: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'
  ➜ Skipping stray line: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'
  ➜ Skipping stray line: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'
  ➜ Skipping stray line: 'Algebra is a prerequisite for this course.'
  ➜ Skipping stray line: 'QET1 - Business - HR Management Capstone Project - For the Business - HR Management Capstone Project students will integrate and'
  ➜ Skipping stray line: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ➜ Skipping stray line: 'professional field. A comprehensive business plan is developed for a company that offers HR products or services. The business plan includes a'
  ➜ Skipping stray line: 'market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ➜ Skipping stray line: 'QFT1 - Business - IT Management Capstone Project - The capstone requires students to demonstrate the integration and synthesis of'
  ➜ Skipping stray line: 'competencies in all domains required for the degree in Information Technology Management. The student produces a business plan for a start-up'
  ➜ Skipping stray line: 'company that is selected and approved by the student and mentor.'
  ➜ Skipping stray line: 'QGT1 - Business Management Capstone Written Project - For the Business Management Capstone Written Project students will integrate and'
  ➜ Skipping stray line: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ➜ Skipping stray line: 'professional field. A comprehensive business plan is developed for a company that plans to sell a product or service in a local market, national'
  ➜ Skipping stray line: 'market, or on the Internet. The business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to'
  ➜ Skipping stray line: 'the chosen company.'
  ➜ Skipping stray line: 'QHT1 - Business Management Tasks - Business Management Tasks addresses important concepts needed to effectively manage a'
  ➜ Skipping stray line: 'business. Topics include the cost-quality relationship, the use of various types of graphical charts in operations management, managing innovation,'
  ➜ Skipping stray line: 'and developing strategies for working with individuals and groups.'
  ➜ Skipping stray line: 'QIT1 - Business Marketing Management Capstone Written Project - For the Business Marketing Management Capstone Project students will'
  ➜ Skipping stray line: 'integrate and synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their'
  ➜ Skipping stray line: 'chosen professional field. A comprehensive business plan is developed for a company that provides some type of marketing product or service. The'
  ➜ Skipping stray line: 'business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ➜ Skipping stray line: 'QJT2 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to use'
  ➜ Skipping stray line: 'differential calculus of one variable and appropriate technology to solve basic problems. Topics include graphing functions and finding their domains'
  ➜ Skipping stray line: 'and ranges; limits, continuity, differentiability, visual, analytical, and conceptual approaches to the definition of the derivative; the power, chain, and'
  ➜ Skipping stray line: 'sum rules applied to polynomial and exponential functions, position and velocity; and L'Hopital's Rule. Candidates should have completed a course in'
  ➜ Skipping stray line: 'Pre-Calculus before engaging in this course.'
  ➜ Skipping stray line: 'QTT2 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ➜ Skipping stray line: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ➜ Skipping stray line: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ➜ Skipping stray line: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'RKT1 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ➜ Skipping stray line: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ➜ Skipping stray line: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ➜ Skipping stray line: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ➜ Skipping stray line: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ➜ Skipping stray line: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'RKT2 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ➜ Skipping stray line: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ➜ Skipping stray line: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ➜ Skipping stray line: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ➜ Skipping stray line: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ➜ Skipping stray line: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'RNT1 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ➜ Skipping stray line: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ➜ Skipping stray line: 'RNT2 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ➜ Skipping stray line: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ➜ Skipping stray line: 'RXT2 - Precalculus and Calculus - Precalculus and Calculus provides instruction in precalculus and calculus and applies them to examples found in'
  ➜ Skipping stray line: 'both mathematics and science. Topics in precalculus include principles of trigonometry, mathematical modeling, and logarithmic, exponential,'
  ➜ Skipping stray line: 'polynomial, and rational functions. Topics in calculus include conceptual knowledge of limit, continuity, differentiability, and integration.'
  ➜ Skipping stray line: 'SJT2 - Advanced Networking Technology - This course prepares students to support the ever growing interconnectivity needs of organizations.'
  ➜ Skipping stray line: 'Students will learn about advanced networking concepts, devices and strategies to provide superior network connectivity to organizations. A review of'
  ➜ Skipping stray line: 'common yet critical network devices and technologies will be provided such as switches, routers, hubs, firewalls, T-1s, ATM, fiber and others.'
  ➜ Skipping stray line: 'Students will also be prepared to review existing network environments and provide specifications to upgrade and enhance such networks.'
  ➜ Skipping stray line: 'SLO1 - Theories of Second Language Acquisition and Grammar - Theories of Second Language Learning Acquisition and Grammar covers'
  ➜ Skipping stray line: 'content material in applied linguistics, including morphology, syntax, semantics, and grammar. Students will explore the role of dialect in the'
  ➜ Skipping stray line: 'classroom, the connections between language and culture, and the theories of first and second language acquisition.'
  ➜ Skipping stray line: 'TAT2 - Technology Production - Technology Production focuses on the foundations of media and technology, integrated technology development,'
  ➜ Skipping stray line: 'and the integration of technology into appropriate instructional uses of productivity, and applying different research applications in the learning'
  ➜ Skipping stray line: 'environment.'
  ➜ Skipping stray line: 'TDT1 - Technology Design Portfolio - Technology Design Portfolio focuses on gaining a broad overview of the field of technology integration with a'
  ➜ Skipping stray line: 'fundamental understanding of some key concepts and principles, and enhancing technology skills to enable the producing of exportable instructional'
  ➜ Skipping stray line: 'and professional products using various integrated application programs.'
  ➜ Skipping stray line: 'TET1 - Issues in Technology Integration - Issues in Technology Integration focuses on the legal and ethical practice of technology, some personal'
  ➜ Skipping stray line: 'uses of electronic resources, the need for protection of information, the foundations of media and technology, what electronic learning communities'
  ➜ Skipping stray line: 'are, and the adaptive technologies for special populations.'
  ➜ Skipping stray line: 'TFT2 - Cyberlaw, Regulations, and Compliance - Cyberlaw, Regulations and Compliance prepares students to participate in legal analysis of'
  ➜ Skipping stray line: 'relevant cyberlaws and address governance, standards, policies, and legislation. Students will conduct a security risk analysis for an enterprise'
  ➜ Skipping stray line: 'system. In addition, students will determine cyber requirements for third‐party vendor agreements. Students will also evaluate provisions of both the'
  ➜ Skipping stray line: '2001 and 2006 USA PATRIOT Acts.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 175'
  ➜ Skipping stray line: 'TOC2 - Probability and Statistics I - Probability and Statistics I covers the knowledge and skills necessary to apply basic probability, descriptive'
  ➜ Skipping stray line: 'statistics, and statistical reasoning, and to use appropriate technology to model and solve real-life problems. It provides an introduction to the science'
  ➜ Skipping stray line: 'of collecting, processing, analyzing, and interpreting data. Topics include creating and interpreting numerical summaries and visual displays of data;'
  ➜ Skipping stray line: 'regression lines and correlation; evaluating sampling methods and their effect on possible conclusions; designing observational studies, controlled'
  ➜ Skipping stray line: 'experiments, and surveys; and determining probabilities using simulations, diagrams, and probability rules. College Algebra is a prerequisite for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'TQC1 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Skipping stray line: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Skipping stray line: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Skipping stray line: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Skipping stray line: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Skipping stray line: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Skipping stray line: 'TQC2 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Skipping stray line: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Skipping stray line: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Skipping stray line: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Skipping stray line: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Skipping stray line: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Skipping stray line: 'TSC2 - General Chemistry I - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Skipping stray line: 'solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic table and chemical'
  ➜ Skipping stray line: 'nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work focuses on using'
  ➜ Skipping stray line: 'effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TSP1 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Skipping stray line: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Skipping stray line: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TSP2 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Skipping stray line: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Skipping stray line: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TUC2 - General Chemistry II - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Skipping stray line: 'solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models, oxidation-reduction'
  ➜ Skipping stray line: 'reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on using effective'
  ➜ Skipping stray line: 'laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TUP1 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Skipping stray line: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Skipping stray line: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TUP2 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Skipping stray line: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Skipping stray line: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TVT2 - Governance, Finance, Law, and Leadership for Principals - This subdomain contains content in educational law, finance, and'
  ➜ Skipping stray line: 'administration as well as a case study review of your site’s leadership practices.'
  ➜ Skipping stray line: 'UFC1 - Managerial Accounting - This course focuses on identifying, gathering, and interpreting information that will be used for evaluating and'
  ➜ Skipping stray line: 'managing the performance of a business. Students will also study cost measurement for producing goods and services and how to analyze and'
  ➜ Skipping stray line: 'control these costs.'
  ➜ Skipping stray line: 'UQT1 - Organic Chemistry - This course focuses on the study of compounds that contain carbon, much of which is learning how to organize and'
  ➜ Skipping stray line: 'group these compounds based on common bonds found within them in order to predict their structure, behavior, and reactivity.'
  ➜ Skipping stray line: 'VLT2 - Security Policies and Standards - Best Practices - This course focuses on the practices of planning and implementing organization-wide'
  ➜ Skipping stray line: 'security and assurance initiatives as well as auditing assurance processes.'
  ➜ Skipping stray line: 'VYC1 - Principles of Accounting - Principles of Accounting focuses on ways in which accounting principles are used in business operations.'
  ➜ Skipping stray line: 'Students will learn about the basics of accounting, including how to use Generally Accepted Accounting Principles (GAAP), ledgers, and journals.'
  ➜ Skipping stray line: 'Students will also be introduced to the steps of the accounting cycle, concepts of assets and liabilities, and general information about accounting'
  ➜ Skipping stray line: 'information systems. This course also presents bank reconciliation methods, balance sheets, and business ethics.'
  ➜ Skipping stray line: 'VZT1 - Marketing Applications - Marketing Applications allows students to apply their knowledge of core marketing principles by creating a'
  ➜ Skipping stray line: 'comprehensive marketing plan. Their plan will apply their knowledge of the marketing planning process, market analysis, and the marketing mix'
  ➜ Skipping stray line: '(product, place, promotion, and price).'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 176'
  ➜ Skipping stray line: 'Course Mentor Directory'
  ➜ Skipping stray line: 'General Education'
  ➜ Skipping stray line: 'Adams, William; M.A., Savanah College of Art and Design'
  ➜ Skipping stray line: 'Aguirre, Jennifer; M.S., Walden University'
  ➜ Skipping stray line: 'Akens, Jonne; Ph. D., Texas A&M University'
  ➜ Skipping stray line: 'Alexander, Ledora; Ed.S., Walden University'
  ➜ Skipping stray line: 'Ashe, James; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Barnes, Lauri; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Baty, Amanda; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Benson, Bryan; Ph.D., Boston College'
  ➜ Skipping stray line: 'Bilbrey, Joshua; Ph.D., Texas State University'
  ➜ Skipping stray line: 'Borden, Anne; Ph.D., Emory University'
  ➜ Skipping stray line: 'Brewer, Craig: Ph.D., University of Notre Dame'
  ➜ Skipping stray line: 'Brown, Bonnie; Ph.D., Stephen F. Austin State University'
  ➜ Skipping stray line: 'Browning, Ellen; Ph.D., University of Texas, Arlington'
  ➜ Skipping stray line: 'Buchanan, Tenielle; Ed.D., Lipscomb University'
  ➜ Skipping stray line: 'Byrnes, Sean; Ph.D., Emory University'
  ➜ Skipping stray line: 'Carmona, Karla; M.S., Western Governors University'
  ➜ Skipping stray line: 'Castaneda, Gilivaldo; M.Ed., University of Texas at San Antonio'
  ➜ Skipping stray line: 'Chaves Ulloa, Ramsa; Ph.D., Dartmouth College'
  ➜ Skipping stray line: 'Chittick, Sharla; Ph.D., University of Stirling'
  ➜ Skipping stray line: 'Condit, Lorna; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Cowan, Christy; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Crawford, Nathan; Ph.D., University of Tennessee-Knoxville'
  ➜ Skipping stray line: 'Crooks, Kathleen; Ph.D., University of Akron'
  ➜ Skipping stray line: 'Cross, Cameron; M.S., Kaplan University'
  ➜ Skipping stray line: 'Cureton, Sara; M.A., Gonzaga Univeristy'
  ➜ Skipping stray line: 'Cutler, Ned; Ph.D., Duke University'
  ➜ Skipping stray line: 'Dodge, Joshua; M.A., University of Central Florida'
  ➜ Skipping stray line: 'Dorre, Gina; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Douglas, Katherine; M.A., University of California, San Diego'
  ➜ Skipping stray line: 'Duff, Kandi; Ed.D., Idaho State University'
  ➜ Skipping stray line: 'Dungar, Michael; MA, Boston College'
  ➜ Skipping stray line: 'Edmunds, Jeffrey; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Evans, Robin; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Evenson Newhouse, Ranae; Ph.D., Vanderbilt University'
  ➜ Skipping stray line: 'Faucett, Jessica; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Fehnel, Bradley; M.S., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Fellow, Jill; M.S., Brigham Young University'
  ➜ Skipping stray line: 'Franco, Heidi; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Frusciante, Denise; Ph.D., University of Miami'
  ➜ Skipping stray line: 'Galindez, Dahlia; MA, Western Governors University'
  ➜ Skipping stray line: 'Gangaram, Jitendra; Ph.D., North Central University'
  ➜ Skipping stray line: 'Garrett, Janette; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Goodwin, Rachel; Ph.D., University of Texas'
  ➜ Skipping stray line: 'Gordon, Kelley; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Gravitte, Kristen; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Gradzielewski, Andrew; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Halula, Stephen; Ph.D., Marquette University'
  ➜ Skipping stray line: 'Harris, Steven; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Hartwick, Andromeda; Ph.D., University of Michigan'
  ➜ Skipping stray line: 'Hayne, Victoria; Ph.D., University of California - Los Angeles'
  ➜ Skipping stray line: 'Hernandez, Ali; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Hillyer, Aaron; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Horne, Lisa; M.A., Brigham Young University'
  ➜ Skipping stray line: 'Hurley, Norman; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Jensen, Taylor; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Johnson, Stephanie; MBA, Lindenwood University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 177'
  ➜ Skipping stray line: 'Jones, Lee; Ph.D., Clark Atlanta University'
  ➜ Skipping stray line: 'Kelley, Matthew; Ph.D., University of Nevada-Las Vegas'
  ➜ Skipping stray line: 'Kelly, Lynn; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Knieps, Linda; Ph.D., Vanderbilt University'
  ➜ Skipping stray line: 'Knous, Helen; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Landry, Stan; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Latham, Kary; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Lauren, Jennifer; Ph.D., Duquesne University'
  ➜ Skipping stray line: 'Leep, Matthew; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Lettau, Lisa; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Little, David; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Lukin, Kara; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Main, Daniel; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Mammen, John; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Mantooth, Stacy; Ph. D., University of Nevada – Las Vegas'
  ➜ Skipping stray line: 'Martin, Jonathan; M.A., West Virginia University'
  ➜ Skipping stray line: 'Mays, Ashley; Ph.D., University of North Carolina at Chapel Hill'
  ➜ Skipping stray line: 'McCune, Timothy; Ph.D., Youngstown State University'
  ➜ Skipping stray line: 'McWatters, Mason; Ph.D., University of Texas at Austin'
  ➜ Skipping stray line: 'Metoki, Kiyoko; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Meyer, Nicholas; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Miller, Don; Ph.D., Morehouse School of Medicine'
  ➜ Skipping stray line: 'Miller, Kathleen; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Moody, Vivian; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Mosgrove, Sharon; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Moss, Meg; Ph.D., University of Tennessee-Knoxville'
  ➜ Skipping stray line: 'Mzoughi, Taha; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Nelson, Angela; Ph.D., Cornell University'
  ➜ Skipping stray line: 'Nicley, Erinn; M.S., Florida State University'
  ➜ Skipping stray line: 'Norton, Cindy; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Olson, Nels; Ph.D., Michigan State University'
  ➜ Skipping stray line: 'Oulette, David; Ph.D., Virginia Commonwealth University'
  ➜ Skipping stray line: 'Palmer, Michael; M.F.A., University of Utah'
  ➜ Skipping stray line: 'Pankowski, Peg; Ed.D., Duquesne University'
  ➜ Skipping stray line: 'Parrish, Anca; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Parton, Sabrena; Ph.D., University of Southern Mississippi'
  ➜ Skipping stray line: 'Parvin, Kathleen; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Peppers, Shelitha; Ed.D., Maryville University'
  ➜ Skipping stray line: 'Perkins, Heidi; M.S., Excelsior College'
  ➜ Skipping stray line: 'Phillips, Dedra; M.A., Colorado Technical University'
  ➜ Skipping stray line: 'Potter, Christine; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Quintela, Melissa; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Radosavljevic, Alexander; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Redden, Cameron; MAT, Baldwin Wallace University'
  ➜ Skipping stray line: 'Redkey, Elizabeth; Ph.D., University at Albany, State University of New York'
  ➜ Skipping stray line: 'Remington, Theodore; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Rhodes, Kristofer; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Robinson, Ami; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Robinson, Jeffery; Ph.D., Drew University'
  ➜ Skipping stray line: 'Rosenblatt, Heather; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Rossi, Cynthia; Ph.D., University of Maryland'
  ➜ Skipping stray line: 'Saddler, Derrick; Ph.D., University of South Florida'
  ➜ Skipping stray line: 'Sanchez, Melvin; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Scheg, Abigail; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Scheib, Douglas; Ph.D., University of Miami'
  ➜ Skipping stray line: 'Scotece, Shannon; Ph.D., State University of New York - Albany'
  ➜ Skipping stray line: 'Shahi, Kimberley; Ph.D., University of Texas at Arlington'
  ➜ Skipping stray line: 'Sharpe, Robert; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Shimotsu-Dariol, Stephanie; Ph.D., West Virginia University'
  ➜ Skipping stray line: 'Simeon, Patricia; Ed.D., Grambling State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 178'
  ➜ Skipping stray line: 'Simmons, Nathaniel; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Smith, Tommie; MBA, Middle Tennessee State University'
  ➜ Skipping stray line: 'Springfield, Derriell; Ed.D., East Tennessee State University'
  ➜ Skipping stray line: 'St Martin, Ashley; M.S., University of Vermont'
  ➜ Skipping stray line: 'Stambaugh, Nathaniel; Ph.D., Brandeis University'
  ➜ Skipping stray line: 'Starr, Neil; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Timmer, Kristin; Ph.D., University of Tennessee Health Science Center'
  ➜ Skipping stray line: 'Tolin Schultz, Alexandra; Ph.D., Stony Brook University'
  ➜ Skipping stray line: 'Tucker, Diana; Ph.D., Southern Illinois University Carbondale'
  ➜ Skipping stray line: 'Tweedy, Joanna; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Verber, Jason; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Vida, Anna; M.A., Arizona State University'
  ➜ Skipping stray line: 'Walker, Hope; M.A., The American University'
  ➜ Skipping stray line: 'Weaver, Matthew; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Webb, James; M.A., Pacific University'
  ➜ Skipping stray line: 'Wellinghoff, Lisa; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Westmoreland, Brandi; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Whitson-Whennen, Tonya; M.M., University of Utah'
  ➜ Skipping stray line: 'Woolridge, Mary; Ph.D., University of Central Florida'
  ➜ Skipping stray line: 'Young, Michael; Ph.D., University of Missouri at Saint Louis'
  ➜ Skipping stray line: 'Zasadny, Jill; Ph.D., Kansas University'
  ➜ Skipping stray line: 'Teachers College'
  ➜ Skipping stray line: 'Aafif, Amal; Ph.D., Drexel University'
  ➜ Skipping stray line: 'Affleck, Alisa; M.A., Western Governors University'
  ➜ Skipping stray line: 'Allen, Elizabeth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Aranda, Christina; M.A., University of Utah'
  ➜ Skipping stray line: 'Aufderhaar, Carolyn; Ed.D., University of Cincinnati'
  ➜ Skipping stray line: 'Baxter, Marissa; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Belchik-Moser, Sara; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Betts, Anastasia; Ph.D., Regent University'
  ➜ Skipping stray line: 'Blanks, Dorothy; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Boen, Laurie; Ph.D., University of Arkansas'
  ➜ Skipping stray line: 'Boyd-Bradwell, Natasha; Ph.D., Capella University'
  ➜ Skipping stray line: 'Branan, Daniel; Ph.D., University of Denver'
  ➜ Skipping stray line: 'Branch, Leah; Ed.D., Bethel University'
  ➜ Skipping stray line: 'Brogan, Lynn; Ed.D., Columbia University'
  ➜ Skipping stray line: 'Brooks, Marlaina; Ed.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Calero, Lisa; Ph.D., Capella University'
  ➜ Skipping stray line: 'Carey, Kimberly; Ph.D., Old Dominion University'
  ➜ Skipping stray line: 'Cartwright, Nancy; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'Cohen, Kimberley; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Constanza, Michele; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Covey, Nicole; Ed.D., University of Memphis'
  ➜ Skipping stray line: 'Douglas, Deanna; Ph.D., Wichita State University'
  ➜ Skipping stray line: 'Dove, Teresa; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Dukes, Debra; Ed.D., University of Georgia'
  ➜ Skipping stray line: 'Durakiewicz, Anna; M.S., University of Marie Curie'
  ➜ Skipping stray line: 'Eisenhour, Melanie; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Feng, Suiping; Ph.D., City University of New York'
  ➜ Skipping stray line: 'Fillpot, Elsie; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Flavin, Kathryn; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Flores, Alberto; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Francis, David; M.A., Western Governors University'
  ➜ Skipping stray line: 'Giddens, Evelyn; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gillman, Brenna; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Gray-Dowdy, Audra; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Hall, Robert; Ph.D., Capella University'
  ➜ Skipping stray line: 'Halverson, Colleen; Ph.D., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Harbin, Lesley; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 179'
  ➜ Skipping stray line: 'Hardin, Bridgette; Ed.D., Texas A&M University-Corpus Christi'
  ➜ Skipping stray line: 'Hedman, Shawn; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Henry, Joanna; M.E., Lamar University'
  ➜ Skipping stray line: 'Hernandez, Julie; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Hiebel, Adam; Ed.D., Ohio University'
  ➜ Skipping stray line: 'Hudon-Miller, Sarah; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Hughes, Amy; Ed.D., University of Montana'
  ➜ Skipping stray line: 'Hutson, Tommye; Ed.D., Baylor University'
  ➜ Skipping stray line: 'Igbinoba-Cummings, Monique; Ph.D., Lynn University'
  ➜ Skipping stray line: 'Izumi, Alisa; Ed.D., University of Massachusetts'
  ➜ Skipping stray line: 'Jacobs, Patricia; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Janitzki, Dean; M.A., University of Toledo'
  ➜ Skipping stray line: 'Johnson, Sherri; Ph.D., Capella University'
  ➜ Skipping stray line: 'Jovic, Marko; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Kain, Meri; Ed.D., University of Missouri'
  ➜ Skipping stray line: 'Kelly, Gretchen; Ed.D., Walden University'
  ➜ Skipping stray line: 'Leinbach, William; Ed.D., Oregon State University'
  ➜ Skipping stray line: 'Lindemann, Steven; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Linkenhoker, Dina; Ed.D., Liberty University'
  ➜ Skipping stray line: 'Lipscomb, Pauline; Ed.D., University of the Cumberlands'
  ➜ Skipping stray line: 'Luster, Sandricia; Ed.S., Argosy University'
  ➜ Skipping stray line: 'McCarver, Patricia; Ph.D., California Institute of Integral Studies'
  ➜ Skipping stray line: 'McDaniel, Maryann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'McGrath Hovland, Michelle; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Mendes, John; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Miller, Esther; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Mills, Ginger; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Moore, Tontaleya; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Morgan, Matthew; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Mour, Jennifer; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Murray, Mary; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Obianyo, Obiamaka; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Odom, M. Katherine; Ph.D., University of South Alabama'
  ➜ Skipping stray line: 'O’Malley, Maureen; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Pack, Mamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Parry, Kelly; Ph.D., University of North Texas'
  ➜ Skipping stray line: 'Purnell, Courtney; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Quinn, Lori; M.A.Ed., Prairie View A&M University'
  ➜ Skipping stray line: 'Rahsaz, Jacqueline; M.A., University of California San Diego'
  ➜ Skipping stray line: 'Randonis, Jennifer; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Rawson, Robert; Ph.D., University of Texas Southwestern'
  ➜ Skipping stray line: 'Richen, Damara; Ed.D., Fielding Graduate University'
  ➜ Skipping stray line: 'Robles, Veronica; Ed.D., Arizona State University'
  ➜ Skipping stray line: 'Rogers, Carmelle; Ph.D., Kansas State University'
  ➜ Skipping stray line: 'Russell-Fry, Nancy; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Scales, Rebecca; M.A., Western Governors University'
  ➜ Skipping stray line: 'Schmidt, Stan; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Sepetys, Peggy; Ed.D., University of Michigan'
  ➜ Skipping stray line: 'Shrader, Vincent; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Silver, Jennifer; Ph.D., New York University'
  ➜ Skipping stray line: 'Sims, Rachel; Ed.D., Walden University'
  ➜ Skipping stray line: 'Smith, Janeal; Ph.D., Walden University'
  ➜ Skipping stray line: 'Spencer, Kristin; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Story, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Swenson, Karl; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Thompson, Julie; Ph.D., University of Rochester'
  ➜ Skipping stray line: 'Traub-Metlay, Suzanne; Ph.D., University of Pittsburg'
  ➜ Skipping stray line: 'Tresnak, Robyn; Ph.D., Walden University'
  ➜ Skipping stray line: 'Turner, Carmen; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Vickers, Paul; Ed.D., Stephen F. Austin State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 180'
  ➜ Skipping stray line: 'Walter-Sullivan, Earnestyne; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'Weinstein, Gideon; Ph.D., Indiana University Bloomington'
  ➜ Skipping stray line: 'Whitmire, Jane; Ph.D., University of Montana'
  ➜ Skipping stray line: 'Willey-Rendon, Ruby; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Williams, Lacey; Ed.D., Union Institute and University'
  ➜ Skipping stray line: 'Wisnosky, Marc; Ph.D., University of Pittsburgh'
  ➜ Skipping stray line: 'Yanusheva, Lidiya; Ed.D., Walden University'
  ➜ Skipping stray line: 'Yatherajam, Gayatri; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Zartman, Krista; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Zimmerli, Mandy; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'College of Business'
  ➜ Skipping stray line: 'Abubakari, Nina; J.D., Wayne State University'
  ➜ Skipping stray line: 'Adler, Kathleen; Ph.D., Southern Methodist University'
  ➜ Skipping stray line: 'Alafita, Theresa; Ph.D., George Washington University'
  ➜ Skipping stray line: 'Arenz, Russell; Ph.D., Colorado Technical University'
  ➜ Skipping stray line: 'Argiento, Steven; J.D., Pace University'
  ➜ Skipping stray line: 'Austin, Judy; MBA, Western Governors University'
  ➜ Skipping stray line: 'Baragoshi, Behroz; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Barton, Robert; Ed.S., Utah State University'
  ➜ Skipping stray line: 'Black, Hilda; Ph.D., Louisiana Tech University'
  ➜ Skipping stray line: 'Borch, Casey; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Boysen-Rotelli, Sheila; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Brownstein, Steven; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Carson, Pook; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Cassell, Kenneth; MBA, San Jose State University'
  ➜ Skipping stray line: 'Cherry, Patricia; Ph.D., Capella University'
  ➜ Skipping stray line: 'Clarke, Jeffrey; Ph.D., University of California-Los Angeles'
  ➜ Skipping stray line: 'Connor, Martin; J.D., University of North Dakota'
  ➜ Skipping stray line: 'Davis, Lorretta; Ph.D., Capella University'
  ➜ Skipping stray line: 'Davis, Mary; Ed.D., Central Michigan University'
  ➜ Skipping stray line: 'Doctorman, Lindsey; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Doren, Andrew; D.M., University of Maryland'
  ➜ Skipping stray line: 'Dula, Kimberly; Ph.D., Mercer University'
  ➜ Skipping stray line: 'Duran, Anthony; DBA, Grand Canyon University'
  ➜ Skipping stray line: 'Ennis, Erica; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Etter, Edwin; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Feehery, George; DBA, Nova Southeastern University'
  ➜ Skipping stray line: 'Fisher, Paul; Ph.D., Oregon State University'
  ➜ Skipping stray line: 'Gallo, Merry; DBA, Argosy University'
  ➜ Skipping stray line: 'Garland, Jennifer; DBA, Keiser University'
  ➜ Skipping stray line: 'Geddes, Bruce; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gilyot, Bianca; MBA, Northcentral University'
  ➜ Skipping stray line: 'Giscombe, Hilbert; DBA, Argosy University'
  ➜ Skipping stray line: 'Gough, Gregory; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Green, Maurice; Ph.D., University at Albany – State University of New York'
  ➜ Skipping stray line: 'Gunn, Linda; Ph.D., Union Institute and University'
  ➜ Skipping stray line: 'Havins, Merwin; Ed.D., Northern Arizona University'
  ➜ Skipping stray line: 'Heinzman, Joseph; DM, Colorado Technical University'
  ➜ Skipping stray line: 'Hon, Charles; Ph.D., Capella University'
  ➜ Skipping stray line: 'Hudson, Brandi; J.D., Regent University'
  ➜ Skipping stray line: 'Iannucci, Brian; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Imboden, Paul; DBA., Northcentral University'
  ➜ Skipping stray line: 'Jividen, Jim; J.D., Ohio Northern University'
  ➜ Skipping stray line: 'Jones, Alan; MBA, Dartmouth College'
  ➜ Skipping stray line: 'Justice, Jeanne; DBA, Walden University'
  ➜ Skipping stray line: 'Kale, Mrinalini; Ph.D., Capella University'
  ➜ Skipping stray line: 'Kenny, Timothy; M.S., Regis University'
  ➜ Skipping stray line: 'Kowalski, Christine; Ed.D., National Louis University'
  ➜ Skipping stray line: 'Kushniroff, Melinda; Ed.D., Liberty University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 181'
  ➜ Skipping stray line: 'La Hay, Ann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Lagroue, Harold; Ph.D., Louisiana State University'
  ➜ Skipping stray line: 'Lamer, Maryann; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Langdon, Debra; MBA, Denver University'
  ➜ Skipping stray line: 'Lutter-Cooper, Victoria; Ph.D., Capella University'
  ➜ Skipping stray line: 'Marshall, Mario; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'McClesky, Jamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'McNulty, Peggy; Ph.D., University of Colorado-Colorado Springs'
  ➜ Skipping stray line: 'Melton, Rebecca; Ph.D., Chicago School of Professional Psychology'
  ➜ Skipping stray line: 'Mills, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Moore, Detria; J.D., Liberty University'
  ➜ Skipping stray line: 'Neely, Cecil; MBA, University of North Carolina at Greensboro'
  ➜ Skipping stray line: 'Nelms, Linda; Ph.D., Capella University'
  ➜ Skipping stray line: 'Nelson, Camille; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'O’Brien, Joseph; Ed.D., George Washington University'
  ➜ Skipping stray line: 'Openshaw, Matthew; Ph.D., University of Texas at Dallas'
  ➜ Skipping stray line: 'Parish, Beth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Patterson, Julie; Ph.D., University of Illinois at Urbana-Champaign'
  ➜ Skipping stray line: 'Pawarski, Richard; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Phillips, Patti; J.D., Stetson University'
  ➜ Skipping stray line: 'Pratt, Christopher; DHA, University of Phoenix'
  ➜ Skipping stray line: 'Raimo, Steve; DSL, Regent University'
  ➜ Skipping stray line: 'Richardson, Shay; DBA, Walden University'
  ➜ Skipping stray line: 'Roberts, Tracia; M.S., University of Phoenix'
  ➜ Skipping stray line: 'Roberts, Wade; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Rogers, Katie; MBA, University of Utah'
  ➜ Skipping stray line: 'Sawant, Gauri; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Shah, Rob; MBA, DeVry University'
  ➜ Skipping stray line: 'Shepherd, Tracie; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Skinner, Susan; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Snipes, Dawna; J.D., Western Michigan University'
  ➜ Skipping stray line: 'Souder, Michele; MBA, University of Dayton'
  ➜ Skipping stray line: 'Spicer, Ronald; Ph.D., Capella University'
  ➜ Skipping stray line: 'Stewart, Michelle; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Strickland, Cynthia; Ph.D., Touro University International'
  ➜ Skipping stray line: 'Swarthout, Nanette; MBA, Fontbonne University'
  ➜ Skipping stray line: 'Tapp, Timothy; MHA, Washington University'
  ➜ Skipping stray line: 'Thomas, Melanie; J.D., University of North Carolina'
  ➜ Skipping stray line: 'Venkateswar, Sankaran; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Wachter, Eddie; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Wade, Keith; MBA, University of Detroit'
  ➜ Skipping stray line: 'Walker, Natalie; DBA, Keiser University'
  ➜ Skipping stray line: 'Wang, Xiaofei; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Williams, Pegeen; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Williams, Rian; MPA, University of Utah'
  ➜ Skipping stray line: 'Wood, Carrie; M.S., Strayer University'
  ➜ Skipping stray line: 'College of Information Technology'
  ➜ Skipping stray line: 'Al-Husaam, Abdul; Ph.D., Capella University'
  ➜ Skipping stray line: 'Alberici, Mary; Ph.D., University of Missouri-St. Louis'
  ➜ Skipping stray line: 'Allen, Candice; M.A., Capella University'
  ➜ Skipping stray line: 'Antonucci, Amy; M.S., University of Delaware'
  ➜ Skipping stray line: 'Banerjee, Pubali; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'Beverley, Charles; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Blanson, Constance; Ph.D., Capella University'
  ➜ Skipping stray line: 'Bojonny, John; M.S., Marywood University'
  ➜ Skipping stray line: 'Borsum, Pamela; MBA, Western Governors University'
  ➜ Skipping stray line: 'Campbell, Wendy; DBA, Northcentral University'
  ➜ Skipping stray line: 'Carter, Betty; M.S., Troy University'
  ➜ Skipping stray line: 'Cobbs, Dana; M.S., College of William and Mary'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 182'
  ➜ Skipping stray line: 'Cook, Henry; M.S., Clark Atlanta University'
  ➜ Skipping stray line: 'Crawford, Demetria; M.S., Boston University'
  ➜ Skipping stray line: 'Dupree, Yolanda; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Farmer, Jaynee; M.A., University of Arkansas at Little Rock'
  ➜ Skipping stray line: 'Ferdinand, Jeff; M.S., Trident University International'
  ➜ Skipping stray line: 'Gardner, Diana; MBA, Western Governors University'
  ➜ Skipping stray line: 'Garza, Brian; M.S., Western Governors University'
  ➜ Skipping stray line: 'Goodwin, Orenthio; Ph.D., Capella University'
  ➜ Skipping stray line: 'Heiner, Jenny; M.S., Capitol College'
  ➜ Skipping stray line: 'Huff, David; Ph.D., Wayne State University'
  ➜ Skipping stray line: 'Jensen, Bryan; M.S., Bellvue University'
  ➜ Skipping stray line: 'Kercher, Paul; M.S., Missouri University of Science and Technology'
  ➜ Skipping stray line: 'LaMolinare, Deana; M.S., Duquesne University'
  ➜ Skipping stray line: 'Lang, Cythia; MSCHe, University of Maryland'
  ➜ Skipping stray line: 'Lavieri, Edward; DCS, Colorado Technical University'
  ➜ Skipping stray line: 'Light, Gerri; M.S., Walden University'
  ➜ Skipping stray line: 'Lively, Charles; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'McFarlane, Michele; M.S., DeVry University'
  ➜ Skipping stray line: 'McLaughlin, Mike; M.S., University of Maine'
  ➜ Skipping stray line: 'Mendell, Ronald; M.S., Capitol College'
  ➜ Skipping stray line: 'Milham, Thomas; MNCM, DeVry University'
  ➜ Skipping stray line: 'Moore, Ronald; M.A., Troy University'
  ➜ Skipping stray line: 'Morrill, Ralph; Ph.D., North Central University'
  ➜ Skipping stray line: 'Ntinglet-Davis, Emelda; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Ozmer, Connie; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Paddock, Charles; Ph.D., University of Houston'
  ➜ Skipping stray line: 'Peterson, Michael; Ph.D., Capella University'
  ➜ Skipping stray line: 'Pinaire, Ken; MBA, University of Texas at Dallas'
  ➜ Skipping stray line: 'Rawlinson, David; J.D., South Texas College of Law'
  ➜ Skipping stray line: 'Schaefer, Brett; MBA, DeVry University'
  ➜ Skipping stray line: 'Shenk, Maria; M.S., City University of Seattle'
  ➜ Skipping stray line: 'Scutro, Rebecca; M.S., Saint Joseph’s University'
  ➜ Skipping stray line: 'Sewell, William; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Sher-DeCusatis, Carolyn; M.A., State University of New York at Stony Brook'
  ➜ Skipping stray line: 'Shields, Jessica; MFA, Savannah College of Art and Design'
  ➜ Skipping stray line: 'Sistelos, Antonio; Ph.D., Indiana State University'
  ➜ Skipping stray line: 'Stromberg, Scott; M.S., Nova Southeastern University'
  ➜ Skipping stray line: 'Swanson, Tom; Ph.D., Capella University'
  ➜ Skipping stray line: 'Taylor, Julinda; M.S., Wichita State University'
  ➜ Skipping stray line: 'Travis, Susan; M.A., University of Phoenix'
  ➜ Skipping stray line: 'College of Health Professions'
  ➜ Skipping stray line: 'Abdur-Rahman, Veronica; Ph.D., Texas Woman’s University'
  ➜ Skipping stray line: 'Abee, Debra; M.S., University of North Carolina Greensboro'
  ➜ Skipping stray line: 'Abraham, Gail; MSN/ED, University of Phoenix'
  ➜ Skipping stray line: 'Adams, Lora; M.S., Michigan State University'
  ➜ Skipping stray line: 'Adkins, Dee; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Allen, Juanita; DNP, University of Utah'
  ➜ Skipping stray line: 'Ashby, Shelley; DNP, University of Southern Indiana'
  ➜ Skipping stray line: 'Austgen, Donna; M.S., University of Indianapolis'
  ➜ Skipping stray line: 'Barber, Kendar; M.S., Indiana University'
  ➜ Skipping stray line: 'Battle, Linda; DNP, Regis College'
  ➜ Skipping stray line: 'Benoit, Heidi; M.S., Western Governors University'
  ➜ Skipping stray line: 'Benson, Johnett; DNP, Kent State University'
  ➜ Skipping stray line: 'Bergfeld, Marcia; M.S., Lourdes College'
  ➜ Skipping stray line: 'Berndt, Janeen; DNP, Valparaiso University'
  ➜ Skipping stray line: 'Blaine, Stephanie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Cain, Lyn; Ph.D., Grand Canyon University'
  ➜ Skipping stray line: 'Carney, Mary; DNP, Touro University – Nevada'
  ➜ Skipping stray line: 'Chau-Nguyen, Thao; MPH, Tulane University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 183'
  ➜ Skipping stray line: 'Cleveland, Melissa; DNP, Rocky Mountain University'
  ➜ Skipping stray line: 'Cloonan, Kelly; DNP, Case Western Reserve'
  ➜ Skipping stray line: 'Dahdal, Kimberly; M.S., Western Governors University'
  ➜ Skipping stray line: 'Dantzler, Barbara; Ph.D., Trident University'
  ➜ Skipping stray line: 'Diaz, Constance; Ph.D., University of Northern Colorado'
  ➜ Skipping stray line: 'Diaz, Lorna; DNP, Western University of Health Sciences'
  ➜ Skipping stray line: 'Dorin, Michelle; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Dush, Curtis; M.S., East Tennessee State University'
  ➜ Skipping stray line: 'Elmer, Justine; M.S., Kaplan University'
  ➜ Skipping stray line: 'Englert, Mary; DNP, University of North Florida'
  ➜ Skipping stray line: 'Feather, Rebecca; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Frankie, Sandra; M.S., Western Governors University'
  ➜ Skipping stray line: 'Gabel, Ann; M.S., University of Kansas'
  ➜ Skipping stray line: 'Gayol, Marcos; M.S., Aspen University'
  ➜ Skipping stray line: 'Giaquinto, Elisa; M.A., Brown University'
  ➜ Skipping stray line: 'Gogatz, Debra; DNP, Regis University'
  ➜ Skipping stray line: 'Golden, Christina; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Gottesfeld, Ilene; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Gwyn, Elizabeth; M.S., Winston Salem State University'
  ➜ Skipping stray line: 'Hadsell, Christine; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Hansen, Julie; Ph.D., South Dakota State University'
  ➜ Skipping stray line: 'Hartley-Clanton, Patricia; M.S., University of Utah'
  ➜ Skipping stray line: 'Hawkins, Shannon; M.S., Walden University'
  ➜ Skipping stray line: 'Heyer-Schmidt, Theres-Anne; ND, University of Colorado-Denver'
  ➜ Skipping stray line: 'Hill, Dana; Ph.D., Walden University'
  ➜ Skipping stray line: 'Hunt, Eleanor; M.S., Duke University'
  ➜ Skipping stray line: 'Johnson-Anderson, Heidi; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Kangas, Sandra; Ph.D., Georgia State University'
  ➜ Skipping stray line: 'Kogan, Lisa; M.S., Western Governors University'
  ➜ Skipping stray line: 'Langer Atkinson, Heidi; Ph.D., University of Albany'
  ➜ Skipping stray line: 'Lashlee, Marilyn; DNP, Northeastern University'
  ➜ Skipping stray line: 'Long, Jennifer; M.S., Indiana University'
  ➜ Skipping stray line: 'Marshall, Janet; Ph.D., Rush University'
  ➜ Title candidate: 'Masterson, Debra; Ed.D., Liberty University'
  ✔️ Collected description (40 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 6371: 'C823 - Nursing Leadership and Management Field Experience - Today’s rapidly changing healthcare delivery environment requires nurse'

🔍 parse_program: starting at line 6371: 'C823 - Nursing Leadership and Management Field Experience - Today’s rapidly changing healthcare delivery environment requires nurse'
  ➜ Title candidate: 'C823 - Nursing Leadership and Management Field Experience - Today’s rapidly changing healthcare delivery environment requires nurse'
  ❌ Invalid title line: 'C823 - Nursing Leadership and Management Field Experience - Today’s rapidly changing healthcare delivery environment requires nurse'
  ➜ Parsing at 6372: 'executives to effectively lead change to achieve organization goals and improvements. Registered nurses needs to hold an active nursing license and'

🔍 parse_program: starting at line 6372: 'executives to effectively lead change to achieve organization goals and improvements. Registered nurses needs to hold an active nursing license and'
  ➜ Title candidate: 'executives to effectively lead change to achieve organization goals and improvements. Registered nurses needs to hold an active nursing license and'
  ❌ Invalid title line: 'executives to effectively lead change to achieve organization goals and improvements. Registered nurses needs to hold an active nursing license and'
  ➜ Parsing at 6373: 'have considerable clinical experience and education to become a nurse leader or manager. The Nursing Leadership and Management Field'

🔍 parse_program: starting at line 6373: 'have considerable clinical experience and education to become a nurse leader or manager. The Nursing Leadership and Management Field'
  ➜ Title candidate: 'have considerable clinical experience and education to become a nurse leader or manager. The Nursing Leadership and Management Field'
  ❌ Invalid title line: 'have considerable clinical experience and education to become a nurse leader or manager. The Nursing Leadership and Management Field'
  ➜ Parsing at 6374: 'Experience provides the graduate student with an opportunity to work collaboratively within the organization where he/she is employed to address an'

🔍 parse_program: starting at line 6374: 'Experience provides the graduate student with an opportunity to work collaboratively within the organization where he/she is employed to address an'
  ➜ Title candidate: 'Experience provides the graduate student with an opportunity to work collaboratively within the organization where he/she is employed to address an'
  ❌ Invalid title line: 'Experience provides the graduate student with an opportunity to work collaboratively within the organization where he/she is employed to address an'
  ➜ Parsing at 6375: 'identified nursing problem, need, or gap in current practices. Students then work to promote a practice change, quality improvement, or innovation that'

🔍 parse_program: starting at line 6375: 'identified nursing problem, need, or gap in current practices. Students then work to promote a practice change, quality improvement, or innovation that'
  ➜ Title candidate: 'identified nursing problem, need, or gap in current practices. Students then work to promote a practice change, quality improvement, or innovation that'
  ❌ Invalid title line: 'identified nursing problem, need, or gap in current practices. Students then work to promote a practice change, quality improvement, or innovation that'
  ➜ Parsing at 6376: 'is based on the existing evidence and best practices.'

🔍 parse_program: starting at line 6376: 'is based on the existing evidence and best practices.'
  ➜ Title candidate: 'is based on the existing evidence and best practices.'
  ❌ Invalid title line: 'is based on the existing evidence and best practices.'
  ➜ Parsing at 6377: 'C824 - Nursing Leadership and Management Capstone - The Nursing Leadership and Management capstone course provides the student with an'

🔍 parse_program: starting at line 6377: 'C824 - Nursing Leadership and Management Capstone - The Nursing Leadership and Management capstone course provides the student with an'
  ➜ Title candidate: 'C824 - Nursing Leadership and Management Capstone - The Nursing Leadership and Management capstone course provides the student with an'
  ❌ Invalid title line: 'C824 - Nursing Leadership and Management Capstone - The Nursing Leadership and Management capstone course provides the student with an'
  ➜ Parsing at 6378: 'opportunity to engage in a project that is actionable, relevant, highly collaborative, and based on real world experience. The capstone involves'

🔍 parse_program: starting at line 6378: 'opportunity to engage in a project that is actionable, relevant, highly collaborative, and based on real world experience. The capstone involves'
  ➜ Title candidate: 'opportunity to engage in a project that is actionable, relevant, highly collaborative, and based on real world experience. The capstone involves'
  ❌ Invalid title line: 'opportunity to engage in a project that is actionable, relevant, highly collaborative, and based on real world experience. The capstone involves'
  ➜ Parsing at 6379: 'development of a scholarly project that addresses a problem, need, or gap in current practices. The capstone project provides an opportunity for the'

🔍 parse_program: starting at line 6379: 'development of a scholarly project that addresses a problem, need, or gap in current practices. The capstone project provides an opportunity for the'
  ➜ Title candidate: 'development of a scholarly project that addresses a problem, need, or gap in current practices. The capstone project provides an opportunity for the'
  ❌ Invalid title line: 'development of a scholarly project that addresses a problem, need, or gap in current practices. The capstone project provides an opportunity for the'
  ➜ Parsing at 6380: 'graduate nursing student to demonstrate competency through design, application, and evaluation of a planned practice change, quality improvement,'

🔍 parse_program: starting at line 6380: 'graduate nursing student to demonstrate competency through design, application, and evaluation of a planned practice change, quality improvement,'
  ➜ Title candidate: 'graduate nursing student to demonstrate competency through design, application, and evaluation of a planned practice change, quality improvement,'
  ❌ Invalid title line: 'graduate nursing student to demonstrate competency through design, application, and evaluation of a planned practice change, quality improvement,'
  ➜ Parsing at 6381: 'or innovation that is based on the existing evidence and best practices.'

🔍 parse_program: starting at line 6381: 'or innovation that is based on the existing evidence and best practices.'
  ➜ Title candidate: 'or innovation that is based on the existing evidence and best practices.'
  ❌ Invalid title line: 'or innovation that is based on the existing evidence and best practices.'
  ➜ Parsing at 6382: 'C825 - Introduction to Nursing Arts and Science - Intro to Nursing Clinical Skills is a skills lab section in which students will have the opportunity to'

🔍 parse_program: starting at line 6382: 'C825 - Introduction to Nursing Arts and Science - Intro to Nursing Clinical Skills is a skills lab section in which students will have the opportunity to'
  ➜ Title candidate: 'C825 - Introduction to Nursing Arts and Science - Intro to Nursing Clinical Skills is a skills lab section in which students will have the opportunity to'
  ❌ Invalid title line: 'C825 - Introduction to Nursing Arts and Science - Intro to Nursing Clinical Skills is a skills lab section in which students will have the opportunity to'
  ➜ Parsing at 6383: 'practice skills learned in didactic in a learning lab. Students will be introduced to and learn the fundamental skills of nursing, including: assessment,'

🔍 parse_program: starting at line 6383: 'practice skills learned in didactic in a learning lab. Students will be introduced to and learn the fundamental skills of nursing, including: assessment,'
  ➜ Title candidate: 'practice skills learned in didactic in a learning lab. Students will be introduced to and learn the fundamental skills of nursing, including: assessment,'
  ❌ Invalid title line: 'practice skills learned in didactic in a learning lab. Students will be introduced to and learn the fundamental skills of nursing, including: assessment,'
  ➜ Parsing at 6384: 'vital signs, principles of safety, equipment uses, bathing, oral hygiene, perineal care, principles of asepsis, ambulating, transferring, range of motion,'

🔍 parse_program: starting at line 6384: 'vital signs, principles of safety, equipment uses, bathing, oral hygiene, perineal care, principles of asepsis, ambulating, transferring, range of motion,'
  ➜ Title candidate: 'vital signs, principles of safety, equipment uses, bathing, oral hygiene, perineal care, principles of asepsis, ambulating, transferring, range of motion,'
  ❌ Invalid title line: 'vital signs, principles of safety, equipment uses, bathing, oral hygiene, perineal care, principles of asepsis, ambulating, transferring, range of motion,'
  ➜ Parsing at 6385: 'restraints, fall prevention, and communication. Students successful in the lab assessment will be considered for admission to the BSRN program.'

🔍 parse_program: starting at line 6385: 'restraints, fall prevention, and communication. Students successful in the lab assessment will be considered for admission to the BSRN program.'
  ➜ Title candidate: 'restraints, fall prevention, and communication. Students successful in the lab assessment will be considered for admission to the BSRN program.'
  ❌ Invalid title line: 'restraints, fall prevention, and communication. Students successful in the lab assessment will be considered for admission to the BSRN program.'
  ➜ Parsing at 6386: 'C826 - Community Health and Population-Focused Nursing - Community Health and Population-Focused Nursing will assist students in becoming'

🔍 parse_program: starting at line 6386: 'C826 - Community Health and Population-Focused Nursing - Community Health and Population-Focused Nursing will assist students in becoming'
  ➜ Title candidate: 'C826 - Community Health and Population-Focused Nursing - Community Health and Population-Focused Nursing will assist students in becoming'
  ❌ Invalid title line: 'C826 - Community Health and Population-Focused Nursing - Community Health and Population-Focused Nursing will assist students in becoming'
  ➜ Parsing at 6387: 'familiar with foundational theories and models of health promotion applicable to the community health nursing environment. Students will develop an'

🔍 parse_program: starting at line 6387: 'familiar with foundational theories and models of health promotion applicable to the community health nursing environment. Students will develop an'
  ➜ Title candidate: 'familiar with foundational theories and models of health promotion applicable to the community health nursing environment. Students will develop an'
  ❌ Invalid title line: 'familiar with foundational theories and models of health promotion applicable to the community health nursing environment. Students will develop an'
  ➜ Parsing at 6388: 'understanding of how policies and resources influence the health of populations. Focus is concentrated on learning the importance of a community'

🔍 parse_program: starting at line 6388: 'understanding of how policies and resources influence the health of populations. Focus is concentrated on learning the importance of a community'
  ➜ Title candidate: 'understanding of how policies and resources influence the health of populations. Focus is concentrated on learning the importance of a community'
  ❌ Invalid title line: 'understanding of how policies and resources influence the health of populations. Focus is concentrated on learning the importance of a community'
  ➜ Parsing at 6389: 'assessment to improve or resolve a community health issue. Students will be introduced to the relationships between cultures and communities and'

🔍 parse_program: starting at line 6389: 'assessment to improve or resolve a community health issue. Students will be introduced to the relationships between cultures and communities and'
  ➜ Title candidate: 'assessment to improve or resolve a community health issue. Students will be introduced to the relationships between cultures and communities and'
  ❌ Invalid title line: 'assessment to improve or resolve a community health issue. Students will be introduced to the relationships between cultures and communities and'
  ➜ Parsing at 6390: 'the steps necessary to create community collaboration with the goal to improve or resolve community health issues in a variety of settings. Students'

🔍 parse_program: starting at line 6390: 'the steps necessary to create community collaboration with the goal to improve or resolve community health issues in a variety of settings. Students'
  ➜ Title candidate: 'the steps necessary to create community collaboration with the goal to improve or resolve community health issues in a variety of settings. Students'
  ❌ Invalid title line: 'the steps necessary to create community collaboration with the goal to improve or resolve community health issues in a variety of settings. Students'
  ➜ Parsing at 6391: 'will gain a greater understanding of health systems in the United States, global health issues, quality-of-life issues, cultural influences, community'

🔍 parse_program: starting at line 6391: 'will gain a greater understanding of health systems in the United States, global health issues, quality-of-life issues, cultural influences, community'
  ➜ Title candidate: 'will gain a greater understanding of health systems in the United States, global health issues, quality-of-life issues, cultural influences, community'
  ❌ Invalid title line: 'will gain a greater understanding of health systems in the United States, global health issues, quality-of-life issues, cultural influences, community'
  ➜ Parsing at 6392: 'collaboration, and emergency preparedness.'

🔍 parse_program: starting at line 6392: 'collaboration, and emergency preparedness.'
  ➜ Title candidate: 'collaboration, and emergency preparedness.'
  ❌ Invalid title line: 'collaboration, and emergency preparedness.'
  ➜ Parsing at 6393: 'C828 - Teacher Performance Assessment in Elementary Education - The Teacher Performance Assessment is a culmination of the wide variety of'

🔍 parse_program: starting at line 6393: 'C828 - Teacher Performance Assessment in Elementary Education - The Teacher Performance Assessment is a culmination of the wide variety of'
  ➜ Title candidate: 'C828 - Teacher Performance Assessment in Elementary Education - The Teacher Performance Assessment is a culmination of the wide variety of'
  ❌ Invalid title line: 'C828 - Teacher Performance Assessment in Elementary Education - The Teacher Performance Assessment is a culmination of the wide variety of'
  ➜ Parsing at 6394: 'skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a'

🔍 parse_program: starting at line 6394: 'skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a'
  ➜ Title candidate: 'skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a'
  ❌ Invalid title line: 'skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a'
  ➜ Parsing at 6395: 'collection of your content, planning, instructional, and reflective skills in this professional assessment.'

🔍 parse_program: starting at line 6395: 'collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Title candidate: 'collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ❌ Invalid title line: 'collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Parsing at 6396: 'C829 - Teacher Performance Assessment in Elementary and Special Education - The Teacher Performance Assessment is a culmination of the'

🔍 parse_program: starting at line 6396: 'C829 - Teacher Performance Assessment in Elementary and Special Education - The Teacher Performance Assessment is a culmination of the'
  ➜ Title candidate: 'C829 - Teacher Performance Assessment in Elementary and Special Education - The Teacher Performance Assessment is a culmination of the'
  ❌ Invalid title line: 'C829 - Teacher Performance Assessment in Elementary and Special Education - The Teacher Performance Assessment is a culmination of the'
  ➜ Parsing at 6397: 'wide variety of skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you'

🔍 parse_program: starting at line 6397: 'wide variety of skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you'
  ➜ Title candidate: 'wide variety of skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you'
  ❌ Invalid title line: 'wide variety of skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you'
  ➜ Parsing at 6398: 'will showcase a collection of your content, planning, instructional, and reflective skills in this professional assessment.'

🔍 parse_program: starting at line 6398: 'will showcase a collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Title candidate: 'will showcase a collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ❌ Invalid title line: 'will showcase a collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Parsing at 6399: 'C830 - Teacher Performance Assessment in Mathematics Education - The Teacher Performance Assessment is a culmination of the wide variety'

🔍 parse_program: starting at line 6399: 'C830 - Teacher Performance Assessment in Mathematics Education - The Teacher Performance Assessment is a culmination of the wide variety'
  ➜ Title candidate: 'C830 - Teacher Performance Assessment in Mathematics Education - The Teacher Performance Assessment is a culmination of the wide variety'
  ❌ Invalid title line: 'C830 - Teacher Performance Assessment in Mathematics Education - The Teacher Performance Assessment is a culmination of the wide variety'
  ➜ Parsing at 6400: 'of skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase'

🔍 parse_program: starting at line 6400: 'of skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase'
  ➜ Title candidate: 'of skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase'
  ❌ Invalid title line: 'of skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase'
  ➜ Parsing at 6401: 'a collection of your content, planning, instructional, and reflective skills in this professional assessment.'

🔍 parse_program: starting at line 6401: 'a collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Title candidate: 'a collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ❌ Invalid title line: 'a collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Parsing at 6402: 'C836 - Fundamentals of Information Security - This course lays the foundation for understanding terminology, principles, processes and best'

🔍 parse_program: starting at line 6402: 'C836 - Fundamentals of Information Security - This course lays the foundation for understanding terminology, principles, processes and best'
  ➜ Title candidate: 'C836 - Fundamentals of Information Security - This course lays the foundation for understanding terminology, principles, processes and best'
  ❌ Invalid title line: 'C836 - Fundamentals of Information Security - This course lays the foundation for understanding terminology, principles, processes and best'
  ➜ Parsing at 6403: 'practices of information security at local and global levels. It further provides an overview of basic security vulnerabilities and countermeasures for'

🔍 parse_program: starting at line 6403: 'practices of information security at local and global levels. It further provides an overview of basic security vulnerabilities and countermeasures for'
  ➜ Title candidate: 'practices of information security at local and global levels. It further provides an overview of basic security vulnerabilities and countermeasures for'
  ❌ Invalid title line: 'practices of information security at local and global levels. It further provides an overview of basic security vulnerabilities and countermeasures for'
  ➜ Parsing at 6404: 'protecting information assets through planning and administrative controls within an organization.'

🔍 parse_program: starting at line 6404: 'protecting information assets through planning and administrative controls within an organization.'
  ➜ Title candidate: 'protecting information assets through planning and administrative controls within an organization.'
  ❌ Invalid title line: 'protecting information assets through planning and administrative controls within an organization.'
  ➜ Parsing at 6405: 'C837 - Managing Web Security - Almost all businesses and organizations require a web presence. The security needs, demands, and defenses for'

🔍 parse_program: starting at line 6405: 'C837 - Managing Web Security - Almost all businesses and organizations require a web presence. The security needs, demands, and defenses for'
  ➜ Title candidate: 'C837 - Managing Web Security - Almost all businesses and organizations require a web presence. The security needs, demands, and defenses for'
  ❌ Invalid title line: 'C837 - Managing Web Security - Almost all businesses and organizations require a web presence. The security needs, demands, and defenses for'
  ➜ Parsing at 6406: 'these online environments differ from those of an isolated single computer or intranet. This course introduces best practices for preventing security'

🔍 parse_program: starting at line 6406: 'these online environments differ from those of an isolated single computer or intranet. This course introduces best practices for preventing security'
  ➜ Title candidate: 'these online environments differ from those of an isolated single computer or intranet. This course introduces best practices for preventing security'
  ❌ Invalid title line: 'these online environments differ from those of an isolated single computer or intranet. This course introduces best practices for preventing security'
  ➜ Parsing at 6407: 'breaches by applying web security protocols, firewalls, and system configurations. This course prepares students for the Web Security Associate (CIW'

🔍 parse_program: starting at line 6407: 'breaches by applying web security protocols, firewalls, and system configurations. This course prepares students for the Web Security Associate (CIW'
  ➜ Title candidate: 'breaches by applying web security protocols, firewalls, and system configurations. This course prepares students for the Web Security Associate (CIW'
  ❌ Invalid title line: 'breaches by applying web security protocols, firewalls, and system configurations. This course prepares students for the Web Security Associate (CIW'
  ➜ Parsing at 6408: 'WSA) certification exam.'

🔍 parse_program: starting at line 6408: 'WSA) certification exam.'
  ➜ Title candidate: 'WSA) certification exam.'
  ❌ Invalid title line: 'WSA) certification exam.'
  ➜ Parsing at 6409: 'C838 - Managing Cloud Security - Many of today’s companies and organizations have outsourced data management, availability, and operational'

🔍 parse_program: starting at line 6409: 'C838 - Managing Cloud Security - Many of today’s companies and organizations have outsourced data management, availability, and operational'
  ➜ Title candidate: 'C838 - Managing Cloud Security - Many of today’s companies and organizations have outsourced data management, availability, and operational'
  ❌ Invalid title line: 'C838 - Managing Cloud Security - Many of today’s companies and organizations have outsourced data management, availability, and operational'
  ➜ Parsing at 6410: 'processes through cloud computing. In this course, students design solutions for cloud-based platforms and operations that maintain data availability'

🔍 parse_program: starting at line 6410: 'processes through cloud computing. In this course, students design solutions for cloud-based platforms and operations that maintain data availability'
  ➜ Title candidate: 'processes through cloud computing. In this course, students design solutions for cloud-based platforms and operations that maintain data availability'
  ❌ Invalid title line: 'processes through cloud computing. In this course, students design solutions for cloud-based platforms and operations that maintain data availability'
  ➜ Parsing at 6411: 'while protecting the confidentiality and integrity of information. This includes security controls, disaster recovery plans, and continuity management'

🔍 parse_program: starting at line 6411: 'while protecting the confidentiality and integrity of information. This includes security controls, disaster recovery plans, and continuity management'
  ➜ Title candidate: 'while protecting the confidentiality and integrity of information. This includes security controls, disaster recovery plans, and continuity management'
  ❌ Invalid title line: 'while protecting the confidentiality and integrity of information. This includes security controls, disaster recovery plans, and continuity management'
  ➜ Parsing at 6412: 'plans that address physical, logical, and human factors. This course prepares students for the Certified Cloud Security Professional (ISC2 CCSP)'

🔍 parse_program: starting at line 6412: 'plans that address physical, logical, and human factors. This course prepares students for the Certified Cloud Security Professional (ISC2 CCSP)'
  ➜ Title candidate: 'plans that address physical, logical, and human factors. This course prepares students for the Certified Cloud Security Professional (ISC2 CCSP)'
  ❌ Invalid title line: 'plans that address physical, logical, and human factors. This course prepares students for the Certified Cloud Security Professional (ISC2 CCSP)'
  ➜ Parsing at 6413: 'certification exam.'

🔍 parse_program: starting at line 6413: 'certification exam.'
  ➜ Title candidate: 'certification exam.'
  ❌ Invalid title line: 'certification exam.'
  ➜ Parsing at 6414: 'C839 - Introduction to Cryptography - This course provides students with knowledge of cryptographic algorithms, protocols, and their uses in the'

🔍 parse_program: starting at line 6414: 'C839 - Introduction to Cryptography - This course provides students with knowledge of cryptographic algorithms, protocols, and their uses in the'
  ➜ Title candidate: 'C839 - Introduction to Cryptography - This course provides students with knowledge of cryptographic algorithms, protocols, and their uses in the'
  ❌ Invalid title line: 'C839 - Introduction to Cryptography - This course provides students with knowledge of cryptographic algorithms, protocols, and their uses in the'
  ➜ Parsing at 6415: 'protection of information in various states. This course prepares students for the Certified Encryption Specialist (EC-Council ECES) certification exam.'

🔍 parse_program: starting at line 6415: 'protection of information in various states. This course prepares students for the Certified Encryption Specialist (EC-Council ECES) certification exam.'
  ➜ Title candidate: 'protection of information in various states. This course prepares students for the Certified Encryption Specialist (EC-Council ECES) certification exam.'
  ❌ Invalid title line: 'protection of information in various states. This course prepares students for the Certified Encryption Specialist (EC-Council ECES) certification exam.'
  ➜ Parsing at 6416: 'C840 - Digital Forensics in Cybersecurity - Digital forensics, the science of investigating cybercrimes, seeks evidence that reveals who, what, when,'

🔍 parse_program: starting at line 6416: 'C840 - Digital Forensics in Cybersecurity - Digital forensics, the science of investigating cybercrimes, seeks evidence that reveals who, what, when,'
  ➜ Title candidate: 'C840 - Digital Forensics in Cybersecurity - Digital forensics, the science of investigating cybercrimes, seeks evidence that reveals who, what, when,'
  ❌ Invalid title line: 'C840 - Digital Forensics in Cybersecurity - Digital forensics, the science of investigating cybercrimes, seeks evidence that reveals who, what, when,'
  ➜ Parsing at 6417: 'where, and how threats compromise information. This course examines the relationships between incident categories, evidence handling, and incident'

🔍 parse_program: starting at line 6417: 'where, and how threats compromise information. This course examines the relationships between incident categories, evidence handling, and incident'
  ➜ Title candidate: 'where, and how threats compromise information. This course examines the relationships between incident categories, evidence handling, and incident'
  ❌ Invalid title line: 'where, and how threats compromise information. This course examines the relationships between incident categories, evidence handling, and incident'
  ➜ Parsing at 6418: 'management. Students identify consequences associated with cyber threats and security laws using a variety of tools to recognize and recover from'

🔍 parse_program: starting at line 6418: 'management. Students identify consequences associated with cyber threats and security laws using a variety of tools to recognize and recover from'
  ➜ Title candidate: 'management. Students identify consequences associated with cyber threats and security laws using a variety of tools to recognize and recover from'
  ❌ Invalid title line: 'management. Students identify consequences associated with cyber threats and security laws using a variety of tools to recognize and recover from'
  ➜ Parsing at 6419: 'unauthorized, malicious activities.'

🔍 parse_program: starting at line 6419: 'unauthorized, malicious activities.'
  ➜ Title candidate: 'unauthorized, malicious activities.'
  ❌ Invalid title line: 'unauthorized, malicious activities.'
  ➜ Parsing at 6420: 'C841 - Legal Issues in Information Security - Security information professionals have the role and responsibility for knowing and applying ethical'

🔍 parse_program: starting at line 6420: 'C841 - Legal Issues in Information Security - Security information professionals have the role and responsibility for knowing and applying ethical'
  ➜ Title candidate: 'C841 - Legal Issues in Information Security - Security information professionals have the role and responsibility for knowing and applying ethical'
  ❌ Invalid title line: 'C841 - Legal Issues in Information Security - Security information professionals have the role and responsibility for knowing and applying ethical'
  ➜ Parsing at 6421: 'and legal principles and processes that define specific needs and demands to assure data integrity within an organization. This course addresses the'

🔍 parse_program: starting at line 6421: 'and legal principles and processes that define specific needs and demands to assure data integrity within an organization. This course addresses the'
  ➜ Title candidate: 'and legal principles and processes that define specific needs and demands to assure data integrity within an organization. This course addresses the'
  ❌ Invalid title line: 'and legal principles and processes that define specific needs and demands to assure data integrity within an organization. This course addresses the'
  ➜ Parsing at 6422: 'laws, regulations, authorities, and directives that inform the development of operational policies, best practices, and training to assure legal'

🔍 parse_program: starting at line 6422: 'laws, regulations, authorities, and directives that inform the development of operational policies, best practices, and training to assure legal'
  ➜ Title candidate: 'laws, regulations, authorities, and directives that inform the development of operational policies, best practices, and training to assure legal'
  ❌ Invalid title line: 'laws, regulations, authorities, and directives that inform the development of operational policies, best practices, and training to assure legal'
  ➜ Parsing at 6423: 'compliance and to minimize internal and external threats. Students analyze legal constraints and liability concerns that threaten information security'

🔍 parse_program: starting at line 6423: 'compliance and to minimize internal and external threats. Students analyze legal constraints and liability concerns that threaten information security'
  ➜ Title candidate: 'compliance and to minimize internal and external threats. Students analyze legal constraints and liability concerns that threaten information security'
  ❌ Invalid title line: 'compliance and to minimize internal and external threats. Students analyze legal constraints and liability concerns that threaten information security'
  ➜ Parsing at 6424: 'within an organization and develop disaster recovery plans to assure business continuity.'

🔍 parse_program: starting at line 6424: 'within an organization and develop disaster recovery plans to assure business continuity.'
  ➜ Title candidate: 'within an organization and develop disaster recovery plans to assure business continuity.'
  ❌ Invalid title line: 'within an organization and develop disaster recovery plans to assure business continuity.'
  ➜ Parsing at 6425: 'C842 - Cyber Defense and Countermeasures - Traditional defenses such as firewalls, security protocols, and encryption sometimes fail to stop'

🔍 parse_program: starting at line 6425: 'C842 - Cyber Defense and Countermeasures - Traditional defenses such as firewalls, security protocols, and encryption sometimes fail to stop'
  ➜ Title candidate: 'C842 - Cyber Defense and Countermeasures - Traditional defenses such as firewalls, security protocols, and encryption sometimes fail to stop'
  ❌ Invalid title line: 'C842 - Cyber Defense and Countermeasures - Traditional defenses such as firewalls, security protocols, and encryption sometimes fail to stop'
  ➜ Parsing at 6426: 'attackers determined to access and compromise data. This course provides the fundamental skills to handle and respond to the computer security'

🔍 parse_program: starting at line 6426: 'attackers determined to access and compromise data. This course provides the fundamental skills to handle and respond to the computer security'
  ➜ Title candidate: 'attackers determined to access and compromise data. This course provides the fundamental skills to handle and respond to the computer security'
  ❌ Invalid title line: 'attackers determined to access and compromise data. This course provides the fundamental skills to handle and respond to the computer security'
  ➜ Parsing at 6427: 'incidents in an information system. The course addresses various underlying principles and techniques for detecting and responding to current and'

🔍 parse_program: starting at line 6427: 'incidents in an information system. The course addresses various underlying principles and techniques for detecting and responding to current and'
  ➜ Title candidate: 'incidents in an information system. The course addresses various underlying principles and techniques for detecting and responding to current and'
  ❌ Invalid title line: 'incidents in an information system. The course addresses various underlying principles and techniques for detecting and responding to current and'
  ➜ Parsing at 6428: 'emerging computer security threats. Students learn how to handle various types of incidents, risk assessment methodologies, and various laws and'

🔍 parse_program: starting at line 6428: 'emerging computer security threats. Students learn how to handle various types of incidents, risk assessment methodologies, and various laws and'
  ➜ Title candidate: 'emerging computer security threats. Students learn how to handle various types of incidents, risk assessment methodologies, and various laws and'
  ❌ Invalid title line: 'emerging computer security threats. Students learn how to handle various types of incidents, risk assessment methodologies, and various laws and'
  ➜ Parsing at 6429: 'policy related to incident handling. This course prepares students for the Certified Incident Handler (EC-Council ECIH) certification exam.'

🔍 parse_program: starting at line 6429: 'policy related to incident handling. This course prepares students for the Certified Incident Handler (EC-Council ECIH) certification exam.'
  ➜ Title candidate: 'policy related to incident handling. This course prepares students for the Certified Incident Handler (EC-Council ECIH) certification exam.'
  ❌ Invalid title line: 'policy related to incident handling. This course prepares students for the Certified Incident Handler (EC-Council ECIH) certification exam.'
  ➜ Parsing at 6430: 'C843 - Managing Information Security - This course expands on fundamentals of information security by providing an in-depth analysis of the'

🔍 parse_program: starting at line 6430: 'C843 - Managing Information Security - This course expands on fundamentals of information security by providing an in-depth analysis of the'
  ➜ Title candidate: 'C843 - Managing Information Security - This course expands on fundamentals of information security by providing an in-depth analysis of the'
  ❌ Invalid title line: 'C843 - Managing Information Security - This course expands on fundamentals of information security by providing an in-depth analysis of the'
  ➜ Parsing at 6431: 'relationship between an information security program and broader business goals and objectives. Students develop knowledge and experience in the'

🔍 parse_program: starting at line 6431: 'relationship between an information security program and broader business goals and objectives. Students develop knowledge and experience in the'
  ➜ Title candidate: 'relationship between an information security program and broader business goals and objectives. Students develop knowledge and experience in the'
  ❌ Invalid title line: 'relationship between an information security program and broader business goals and objectives. Students develop knowledge and experience in the'
  ➜ Parsing at 6432: 'development and management of an information security program essential to ongoing education, career progression, and value delivery to'

🔍 parse_program: starting at line 6432: 'development and management of an information security program essential to ongoing education, career progression, and value delivery to'
  ➜ Title candidate: 'development and management of an information security program essential to ongoing education, career progression, and value delivery to'
  ❌ Invalid title line: 'development and management of an information security program essential to ongoing education, career progression, and value delivery to'
  ➜ Parsing at 6433: 'enterprises. Students apply best practices to develop an information security governance framework, analyze mitigation in the context of compliance'

🔍 parse_program: starting at line 6433: 'enterprises. Students apply best practices to develop an information security governance framework, analyze mitigation in the context of compliance'
  ➜ Title candidate: 'enterprises. Students apply best practices to develop an information security governance framework, analyze mitigation in the context of compliance'
  ❌ Invalid title line: 'enterprises. Students apply best practices to develop an information security governance framework, analyze mitigation in the context of compliance'
  ➜ Parsing at 6434: 'requirements, align security programs with security strategies and best practices, and recommend procedures for managing security strategies that'

🔍 parse_program: starting at line 6434: 'requirements, align security programs with security strategies and best practices, and recommend procedures for managing security strategies that'
  ➜ Title candidate: 'requirements, align security programs with security strategies and best practices, and recommend procedures for managing security strategies that'
  ❌ Invalid title line: 'requirements, align security programs with security strategies and best practices, and recommend procedures for managing security strategies that'
  ➜ Parsing at 6435: 'minimize risk to an organization.'

🔍 parse_program: starting at line 6435: 'minimize risk to an organization.'
  ➜ Title candidate: 'minimize risk to an organization.'
  ❌ Invalid title line: 'minimize risk to an organization.'
  ➜ Parsing at 6436: 'C844 - Emerging Technologies in Cybersecurity - The continual evolution of technology means that cybersecurity professionals must be able to'

🔍 parse_program: starting at line 6436: 'C844 - Emerging Technologies in Cybersecurity - The continual evolution of technology means that cybersecurity professionals must be able to'
  ➜ Title candidate: 'C844 - Emerging Technologies in Cybersecurity - The continual evolution of technology means that cybersecurity professionals must be able to'
  ❌ Invalid title line: 'C844 - Emerging Technologies in Cybersecurity - The continual evolution of technology means that cybersecurity professionals must be able to'
  ➜ Parsing at 6437: 'analyze and evaluate new technologies in information security such as wireless, mobile, and internet technologies. Students review the adoption'

🔍 parse_program: starting at line 6437: 'analyze and evaluate new technologies in information security such as wireless, mobile, and internet technologies. Students review the adoption'
  ➜ Title candidate: 'analyze and evaluate new technologies in information security such as wireless, mobile, and internet technologies. Students review the adoption'
  ❌ Invalid title line: 'analyze and evaluate new technologies in information security such as wireless, mobile, and internet technologies. Students review the adoption'
  ➜ Parsing at 6438: 'process which prepares an organization for the risks and challenges of implementing new technologies. This course focuses on comparison of'

🔍 parse_program: starting at line 6438: 'process which prepares an organization for the risks and challenges of implementing new technologies. This course focuses on comparison of'
  ➜ Title candidate: 'process which prepares an organization for the risks and challenges of implementing new technologies. This course focuses on comparison of'
  ❌ Invalid title line: 'process which prepares an organization for the risks and challenges of implementing new technologies. This course focuses on comparison of'
  ➜ Parsing at 6439: 'evolving technologies to address the security requirements of an organization. Students learn underlying principles critical to the operation of secure'

🔍 parse_program: starting at line 6439: 'evolving technologies to address the security requirements of an organization. Students learn underlying principles critical to the operation of secure'
  ➜ Title candidate: 'evolving technologies to address the security requirements of an organization. Students learn underlying principles critical to the operation of secure'
  ❌ Invalid title line: 'evolving technologies to address the security requirements of an organization. Students learn underlying principles critical to the operation of secure'
  ➜ Parsing at 6440: 'networks and adoption of new technologies.'

🔍 parse_program: starting at line 6440: 'networks and adoption of new technologies.'
  ➜ Title candidate: 'networks and adoption of new technologies.'
  ❌ Invalid title line: 'networks and adoption of new technologies.'
  ➜ Parsing at 6441: '© Western Governors University 7/19/17 167'

🔍 parse_program: starting at line 6441: '© Western Governors University 7/19/17 167'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'C845 - Information Systems Security - IT security professionals must be prepared for the operational demands and responsibilities of security'
  ➜ Skipping stray line: 'practitioners, including authentication, security testing, intrusion detection and prevention, incident response and recovery, attacks and'
  ➜ Skipping stray line: 'countermeasures, cryptography, and malicious code countermeasures. This course provides a comprehensive, up-to-date global body of knowledge'
  ➜ Skipping stray line: 'that ensures students have the right information security knowledge and skills to be successful in IT operational roles to mitigate security concerns and'
  ➜ Skipping stray line: 'guard against the impact of malicious activity. Students demonstrate how to manage and restrict access control systems; administer policies,'
  ➜ Skipping stray line: 'procedures, and guidelines that are ethical and compliant with laws and regulations; implement risk management and incident handling processes;'
  ➜ Skipping stray line: 'execute cryptographic systems to protect data; manage network security; and analyze common attack vectors and countermeasures to assure'
  ➜ Skipping stray line: 'information integrity and confidentiality in various systems. This course prepares students for the Systems Security Certified Practitioner (ISC2 SSCP)'
  ➜ Skipping stray line: 'certification exam.'
  ➜ Skipping stray line: 'C846 - Business of IT - Applications - Business of IT – Applications examines Information Technology Infrastructure Library ( ITIL®) terminology,'
  ➜ Skipping stray line: 'structure, policies, and concepts. Focusing on the management of Information Technology (IT) infrastructure, development, and operations, students'
  ➜ Skipping stray line: 'will explore the core principles of ITIL practices for service management to prepare them for careers as IT professionals, business managers, and'
  ➜ Skipping stray line: 'business process owners. This course has no prerequisites.'
  ➜ Skipping stray line: 'C847 - Fundamentals of Diversity, Inclusion, and Exceptional Learners - Students will learn the history of inclusion and develop practical'
  ➜ Skipping stray line: 'strategies for modifying instruction, in accordance with legal expectations, to meet the needs of a diverse population of learners. This population'
  ➜ Skipping stray line: 'includes learners with disabilities, gifted and talented learners, culturally diverse learners, and English language learners.'
  ➜ Skipping stray line: 'C848 - Fundamentals of Diversity, Inclusion, and Exceptional Learners - Students will learn the history of inclusion and develop practical'
  ➜ Skipping stray line: 'strategies for modifying instruction, in accordance with legal expectations, to meet the needs of a diverse population of learners. This population'
  ➜ Skipping stray line: 'includes learners with disabilities, gifted and talented learners, culturally diverse learners, and English language learners.'
  ➜ Skipping stray line: 'C853 - Teacher Performance Assessment in English - The Teacher Performance Assessment serves as the final, culminating project in your'
  ➜ Skipping stray line: 'degree program. It is a formal, scholarly piece of work. You are required to design and develop a two-week-long (minimum), standards-based'
  ➜ Skipping stray line: 'curriculum unit. You will then implement (i.e., teach) the unit in your classroom and gather data as to its effectiveness.'
  ➜ Skipping stray line: 'C860 - Innovation Project - This course explores healthcare innovation by having you compare examples, apply concepts, perform research and'
  ➜ Skipping stray line: 'analysis, and create original work. You will complete and submit an Innovation proposal form describing a new technology to decrease clinic wait'
  ➜ Skipping stray line: 'times.'
  ➜ Skipping stray line: 'C861 - Healthcare Systems Project - You will explore healthcare systems by evaluating the needs of a group medical center to expand care to a'
  ➜ Skipping stray line: 'growing population of underserved and underinsured patients. You will assess the value of affiliation with other providers and potential payers, analyze'
  ➜ Skipping stray line: 'several healthcare organizations as potential partners for affiliation, and determine what type of affiliation structure will best meet the needs of the'
  ➜ Skipping stray line: 'medical center. This project culminates in the creation of a proposed “affiliation recommendation” that summarizes the assessment of three candidate'
  ➜ Skipping stray line: 'organizations.'
  ➜ Skipping stray line: 'C862 - Healthcare Quality Project - You will use Six Sigma principles and strategies, as well as other quality concepts (DMAIC), to address problems'
  ➜ Skipping stray line: 'of high patient wait times and poor physician communication at a highly functioning level 1 trauma center. You will develop a healthcare quality'
  ➜ Skipping stray line: 'improvement process that implements the five phases of a Six Sigma approach. You will also analyze challenges executives face in identifying,'
  ➜ Skipping stray line: 'synthesizing, and acting upon healthcare data to improve operations and patient-centered care.'
  ➜ Skipping stray line: 'C863 - Healthcare Financial Management Project - You will develop a value-based payment model and strategic implementation plan to provide'
  ➜ Skipping stray line: 'high-quality, most cost-effective care to a high-risk patient population. The organization is currently not equipped to take on the risks inherent in the'
  ➜ Skipping stray line: 'population of Southern Florida. To create a successful plan, you will analyze and interpret data to determine the population's need and justify that their'
  ➜ Skipping stray line: 'organization can financially support and sustain the new system.'
  ➜ Skipping stray line: 'C864 - Enterprise Risk Management Project - You will take on the role of a consulting risk manager for the Phoenix VA Health Care System'
  ➜ Skipping stray line: '(PVAHCS) to address the Office of Inspector General’s report. You begin by identifying and analyzing risk issues embedded within a real-world'
  ➜ Skipping stray line: 'scenario. You will use enterprise risk management (ERM) concepts to create and define implementation strategies for an ERM plan to mitigate and'
  ➜ Skipping stray line: 'manage the risks identified. Finally, you will recommend a new system model.'
  ➜ Skipping stray line: 'C865 - Population Health and Care Coordination Project - You will design a chronic care population management plan and change a health'
  ➜ Skipping stray line: 'system's model to one that focuses on patient and family. You will review a model from Mississippi that has expanded Medicaid where the'
  ➜ Skipping stray line: 'opportunities to develop partnerships are ideal. To help control costs, you will develop a wellness and prevention program alongside the disease'
  ➜ Skipping stray line: 'management model already being used in a system of their choice.'
  ➜ Skipping stray line: 'C870 - Human Anatomy and Physiology - This course examines the structures and functions of the human body and covers anatomical'
  ➜ Skipping stray line: 'terminology, cells and tissues, and organ systems. Students will use a dissection lab to study the healthy state of the organ systems of the human'
  ➜ Skipping stray line: 'body, including the digestive, skeletal, sensory, respiratory, reproductive, nervous, muscular, cardiovascular, lymphatic, integumentary, endocrine, and'
  ➜ Skipping stray line: 'renal systems. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C871 - MA, Science Education Teacher Performance Assessment - MA, Science Education (5-12 Geo) Teacher Performance Assessment'
  ➜ Skipping stray line: 'contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct evidence of the'
  ➜ Skipping stray line: 'candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect on the learning'
  ➜ Skipping stray line: 'process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional unit consisting'
  ➜ Skipping stray line: 'of seven components: 1) Contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision making, 6) analysis of'
  ➜ Skipping stray line: 'student learning, and 7) self-evaluation and reflection.'
  ➜ Skipping stray line: 'C873 - Teacher Performance Assessment in Elementary Education - The Teacher Performance Assessment is a culmination of the wide variety'
  ➜ Skipping stray line: 'of skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase'
  ➜ Skipping stray line: 'a collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C874 - MA, Mathematics Education (5-12) Teacher Performance Assessment - MA, Mathematics Education (5-12) Teacher Performance'
  ➜ Skipping stray line: 'Assessment contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct'
  ➜ Skipping stray line: 'evidence of the candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect'
  ➜ Skipping stray line: 'on the learning process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional'
  ➜ Skipping stray line: 'unit consisting of seven components: 1) Contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision'
  ➜ Skipping stray line: 'making, 6) analysis of student learning, and 7) self-evaluation and reflection.'
  ➜ Skipping stray line: 'C875 - Human Anatomy and Physiology - This course examines the structures and functions of the human body and covers anatomical'
  ➜ Skipping stray line: 'terminology, cells and tissues, and organ systems. Students will use a dissection lab to study the healthy state of the organ systems of the human'
  ➜ Skipping stray line: 'body, including the digestive, skeletal, sensory, respiratory, reproductive, nervous, muscular, cardiovascular, lymphatic, integumentary, endocrine, and'
  ➜ Skipping stray line: 'renal systems. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C876 - Conceptual Physics - Conceptual Physics provides a broad, conceptual overview of the main principles of physics, including mechanics,'
  ➜ Skipping stray line: 'thermodynamics, wave motion, modern physics, and electricity and magnetism. Problem-solving activities and laboratory experiments provide'
  ➜ Skipping stray line: 'students with opportunities to apply these main principles, creating a strong foundation for future studies in physics. There are no prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 168'
  ➜ Skipping stray line: 'C877 - Mathematical Modeling and Applications - Mathematical Modeling and Applications applies mathematics, such as differential equations,'
  ➜ Skipping stray line: 'discrete structures, and statistics to formulate models and solve real-world problems. This course emphasizes improving students’ critical thinking to'
  ➜ Skipping stray line: 'help them understand the process and application of mathematical modeling. Probability and Statistics II and Calculus II are prerequisites.'
  ➜ Skipping stray line: 'C878 - Mathematical Modeling and Applications - Mathematical Modeling and Applications applies mathematics, such as differential equations,'
  ➜ Skipping stray line: 'discrete structures, and statistics to formulate models and solve real-world problems. This course emphasizes improving students’ critical thinking to'
  ➜ Skipping stray line: 'help them understand the process and application of mathematical modeling. Probability and Statistics II and Calculus II are prerequisites.'
  ➜ Skipping stray line: 'C879 - Algebra for Secondary Mathematics Teaching - Algebra for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of algebra. Secondary teachers should have an understanding of the following: algebra as an extension of number, operation, and'
  ➜ Skipping stray line: 'quantity; various ideas of equivalence as it pertains to algebraic structures; patterns of change as covariation between quantities; connections'
  ➜ Skipping stray line: 'between representations (tables, graphs, equations, geometric models, context); and the historical development of content and perspectives from'
  ➜ Skipping stray line: 'diverse cultures. In particular, the focus should be on deeper understanding of rational numbers, ratios and proportions, meaning and use of variables,'
  ➜ Skipping stray line: 'functions (e.g., exponential, logarithmic, polynomials, rational, quadratic), and inverses. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C880 - Algebra for Secondary Mathematics Teaching - Algebra for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of algebra. Secondary teachers should have an understanding of the following: algebra as an extension of number, operation, and'
  ➜ Skipping stray line: 'quantity; various ideas of equivalence as it pertains to algebraic structures; patterns of change as covariation between quantities; connections'
  ➜ Skipping stray line: 'between representations (tables, graphs, equations, geometric models, context); and the historical development of content and perspectives from'
  ➜ Skipping stray line: 'diverse cultures. In particular, the focus should be on deeper understanding of rational numbers, ratios and proportions, meaning and use of variables,'
  ➜ Skipping stray line: 'functions (e.g., exponential, logarithmic, polynomials, rational, quadratic), and inverses. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C881 - Geometry for Secondary Mathematics Teaching - Geometry for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of geometry. Secondary teachers in this course will develop a deep understanding of constructions and transformations,'
  ➜ Skipping stray line: 'congruence and similarity, analytic geometry, solid geometry, conics, trigonometry, and the historical development of content. Calculus I is a'
  ➜ Skipping stray line: 'prerequisite for this course.'
  ➜ Skipping stray line: 'C882 - Geometry for Secondary Mathematics Teaching - Geometry for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of geometry. Secondary teachers in this course will develop a deep understanding of constructions and transformations,'
  ➜ Skipping stray line: 'congruence and similarity, analytic geometry, solid geometry, conics, trigonometry, and the historical development of content. Calculus I is a'
  ➜ Skipping stray line: 'prerequisite for this course.'
  ➜ Skipping stray line: 'C883 - Statistics and Probability for Secondary Mathematics Teaching - Statistics and Probability for Secondary Mathematics Teaching explores'
  ➜ Skipping stray line: 'important conceptual underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional'
  ➜ Skipping stray line: 'practices to support and assess the learning of statistics and probability. Secondary teachers should have a deep understanding of summarizing and'
  ➜ Skipping stray line: 'representing data, study design and sampling, probability, testing claims and drawing conclusions, and the historical development of content and'
  ➜ Skipping stray line: 'perspectives from diverse cultures. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C884 - Statistics and Probability for Secondary Mathematics Teaching - Statistics and Probability for Secondary Mathematics Teaching explores'
  ➜ Skipping stray line: 'important conceptual underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional'
  ➜ Skipping stray line: 'practices to support and assess the learning of statistics and probability. Secondary teachers should have a deep understanding of summarizing and'
  ➜ Skipping stray line: 'representing data, study design and sampling, probability, testing claims and drawing conclusions, and the historical development of content and'
  ➜ Skipping stray line: 'perspectives from diverse cultures. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C885 - Advanced Calculus - Advanced Calculus examines rigorous reconsideration and proofs involving calculus. Topics include real-number'
  ➜ Skipping stray line: 'systems, sequences, limits, continuity, differentiation, and integration. This course emphasizes students’ ability to apply critical thinking to concepts to'
  ➜ Skipping stray line: 'analyze the connections between definitions and properties. Calculus III and Linear Algebra are prerequisites.'
  ➜ Skipping stray line: 'C886 - Advanced Calculus - Advanced Calculus examines rigorous reconsideration and proofs involving calculus. Topics include real-number'
  ➜ Skipping stray line: 'systems, sequences, limits, continuity, differentiation, and integration. This course emphasizes students’ ability to apply critical thinking to concepts to'
  ➜ Skipping stray line: 'analyze the connections between definitions and properties. Calculus III and Linear Algebra are prerequisites.'
  ➜ Skipping stray line: 'C887 - MA, Mathematics Education (5-9) Teacher Performance Assessment - MA, Mathematics Education (5-9) Teacher Performance'
  ➜ Skipping stray line: 'Assessment contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct'
  ➜ Skipping stray line: 'evidence of the candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect'
  ➜ Skipping stray line: 'on the learning process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional'
  ➜ Skipping stray line: 'unit consisting of seven components: 1) contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision making,'
  ➜ Skipping stray line: '6) analysis of student learning, and 7) self-evaluation and reflection.'
  ➜ Skipping stray line: 'C888 - Molecular and Cellular Biology - Molecular and Cellular Biology provides students seeking licensure or endorsement in biology, grades 5-12,'
  ➜ Skipping stray line: 'with an introduction to the area of molecular and cellular biology. Molecular and Cellular Biology examines the cell as an organism emphasizing'
  ➜ Skipping stray line: 'molecular basis of cell structure and functions of biological macromolecules, subcellular organelles, intracellular transport, cell division, and biological'
  ➜ Skipping stray line: 'reactions. Prerequisite: Introduction to Biology.'
  ➜ Skipping stray line: 'C889 - Molecular and Cellular Biology - Molecular and Cellular Biology provides students seeking licensure or endorsement in biology, grades 5-12,'
  ➜ Skipping stray line: 'with an introduction to the area of molecular and cellular biology. Molecular and Cellular Biology examines the cell as an organism emphasizing'
  ➜ Skipping stray line: 'molecular basis of cell structure and functions of biological macromolecules, subcellular organelles, intracellular transport, cell division, and biological'
  ➜ Skipping stray line: 'reactions. Prerequisite: Introduction to Biology.'
  ➜ Skipping stray line: 'C890 - Ecology and Environmental Science - Ecology and Environmental Science is an introductory course for undergraduate students seeking'
  ➜ Skipping stray line: 'initial licensure or endorsement in science education for grades 5–12. The course explores the relationships between organisms and their'
  ➜ Skipping stray line: 'environment, including population ecology, communities, adaptations, distributions, interactions, and the environmental factors controlling these'
  ➜ Skipping stray line: 'relationships. This course has no prerequisites.'
  ➜ Skipping stray line: 'C891 - Ecology and Environmental Science - Ecology and Environmental Science is an introductory course for graduate students seeking initial'
  ➜ Skipping stray line: 'licensure or endorsement in science education for grades 5–12. The course introduction to ecology and environmental science and explores the'
  ➜ Skipping stray line: 'relationships between organisms and their environment, including population ecology, communities, adaptations, distributions, interactions, and the'
  ➜ Skipping stray line: 'environmental factors controlling these relationships. This course has no prerequisites.'
  ➜ Skipping stray line: 'C892 - Geology II: Earth Systems - Geology II: Earth Systems provides undergraduate students seeking licensure or endorsement in science'
  ➜ Skipping stray line: 'education for grades 5-12 with an examination of the geosphere, atmosphere, hydrosphere, and biosphere, and the dynamic equilibrium of these'
  ➜ Skipping stray line: 'systems over geologic time. This course also examines the history of Earth and its life-forms, with an emphasis in meteorology. A prerequisite for this'
  ➜ Skipping stray line: 'course is Geology I: Physical.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 169'
  ➜ Skipping stray line: 'C893 - Geology II: Earth Systems - Geology II: Earth Systems provides graduate students seeking licensure or endorsement in science education'
  ➜ Skipping stray line: 'for grades 5-12 with an examination of the geosphere, atmosphere, hydrosphere, and biosphere, and the dynamic equilibrium of these systems over'
  ➜ Skipping stray line: 'geologic time. This course also examines the history of Earth and its life-forms, with an emphasis in meteorology. A prerequisite for this course is'
  ➜ Skipping stray line: 'Geology I: Physical.'
  ➜ Skipping stray line: 'C894 - Astronomy - This course provides undergraduate students seeking initial licensure or endorsement in geosciences for grades 5−12 with'
  ➜ Skipping stray line: 'essential knowledge of astronomy and explores Western history and basic physics of astronomy; phases of the moon and seasons; composition and'
  ➜ Skipping stray line: 'properties of solar system bodies; stellar evolution and remnants; properties and scale of objects and distances within the universe; and introductory'
  ➜ Skipping stray line: 'cosmology. A prerequisite for this course is General Physics.'
  ➜ Skipping stray line: 'C895 - Astronomy - This course provides graduate students seeking initial licensure or endorsement in geosciences for grades 5−12 with essential'
  ➜ Skipping stray line: 'knowledge of astronomy and explores Western history and basic physics of astronomy; phases of the moon and seasons; composition and properties'
  ➜ Skipping stray line: 'of solar system bodies; stellar evolution and remnants; properties and scale of objects and distances within the universe; and introductory cosmology.'
  ➜ Skipping stray line: 'A prerequisite for this course is General Physics.'
  ➜ Skipping stray line: 'C896 - Science Methods - Science Methods provides undergraduate students seeking initial licensure or endorsement in the sciences for grades'
  ➜ Skipping stray line: '5-12 with an introduction to science teaching methods and laboratory safety training. Course content focuses on designing and teaching with the three'
  ➜ Skipping stray line: 'dimensions of science: disciplinary core ideas, crosscutting concepts, and science and engineering practices. Laboratory safety training and'
  ➜ Skipping stray line: 'certification will include the proper use of personal protective equipment and safe laboratory practices and procedures in science classrooms. This'
  ➜ Skipping stray line: 'course has no prerequisites.'
  ➜ Skipping stray line: 'C897 - Mathematics: Content Knowledge - Mathematics: Content Knowledge is designed to help candidates refine and integrate the mathematics'
  ➜ Skipping stray line: 'content knowledge and skills necessary to become successful secondary mathematics teachers. A high level of mathematical reasoning skills and the'
  ➜ Skipping stray line: 'ability to solve problems are necessary to complete this course. Prerequisites for this course are College Geometry, Probability and Statistics I, and'
  ➜ Skipping stray line: 'Pre-Calculus.'
  ➜ Skipping stray line: 'C898 - Earth Science: Content Knowledge - This course covers the advanced content knowledge that a secondary Earth Science teachers is'
  ➜ Skipping stray line: 'expected to know and understand. Topics include basic scientific principles of Earth and Space Sciences, tectonics and internal Earth processes,'
  ➜ Skipping stray line: 'Earth materials and surface processes, history of the Earth and its Life-Forms, Earth's atmosphere and hydrosphhere, and astronomy.'
  ➜ Skipping stray line: 'C900 - Biology: Content Knowledge - This comprehensive course examines a student’s conceptual understanding of a broad range of biology'
  ➜ Skipping stray line: 'topics. High school biology teachers must help students make connections between isolated topics. For example, when studying hormones created by'
  ➜ Skipping stray line: 'endocrine glands traveling through the circulatory system to maintain homeostasis, a student is connecting many biology topics. This course starts'
  ➜ Skipping stray line: 'with macromolecules that make up cellular components and continues with understanding the many cellular processes that allow life to exist.'
  ➜ Skipping stray line: 'Connections are then made between genetics and evolution. Classification of organisms leads into plant and animal development that study the organ'
  ➜ Skipping stray line: 'systems and their role in maintaining homeostasis. The course finishes by studying ecology and how humans affect the environment.'
  ➜ Skipping stray line: 'C901 - Physics: Content Knowledge - Physics: Content Knowledge covers the advanced content knowledge that a secondary physics teacher is'
  ➜ Skipping stray line: 'expected to know and understand. Topics include mechanics, electricity and magnetism, optics and waves, heat and thermodynamics, modern'
  ➜ Skipping stray line: 'physics, atomic and nuclear structure, the history and nature of science, science technology, and social perspectives.'
  ➜ Skipping stray line: 'C902 - Middle School Science: Content Knowledge - This course covers the content knowledge that a middle-level science teacher is expected to'
  ➜ Skipping stray line: 'know and understand. Topics include scientific methodologies, history of science, basic science principles, physical sciences, life sciences, Earth and'
  ➜ Skipping stray line: 'space sciences, and the role of science and technology and their impact on society.'
  ➜ Skipping stray line: 'C903 - Middle School Mathematics: Content Knowledge - Mathematics: Middle School Content Knowledge is designed to help candidates refine'
  ➜ Skipping stray line: 'and integrate the mathematics content knowledge and skills necessary to become successful middle school mathematics teachers. A high level of'
  ➜ Skipping stray line: 'mathematical reasoning skills and the ability to solve problems are necessary to complete this course. Prerequisites for this course are College'
  ➜ Skipping stray line: 'Geometry, Probability and Statistics I, and Pre-Calculus.'
  ➜ Skipping stray line: 'C904 - Teacher Performance Assessment in Science - The Teacher Performance Assessment in Science is a culmination of the wide variety of'
  ➜ Skipping stray line: 'skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a'
  ➜ Skipping stray line: 'collection of your content, planning, instructional, and'
  ➜ Skipping stray line: 'reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C907 - Introduction to Biology - This course is a foundational introduction to the biological sciences. The overarching theories of life from biological'
  ➜ Skipping stray line: 'research are explored as well as the fundamental concepts and principles of the study of living organisms and their interaction with the environment.'
  ➜ Skipping stray line: 'Key concepts include how living organisms use and produce energy; how life grows, develops, and reproduces; how life responds to the environment'
  ➜ Skipping stray line: 'to maintain internal stability; and how life evolves and adapts to the environment.'
  ➜ Skipping stray line: 'C908 - Integrated Physical Sciences - This course provides students with an overview of the basic principles and unifying ideas of the physical'
  ➜ Skipping stray line: 'sciences: physics, chemistry, and Earth sciences. Course materials focus on scientific reasoning and practical and everyday applications of physical'
  ➜ Skipping stray line: 'science concepts to help students integrate conceptual knowledge with practical skills.'
  ➜ Skipping stray line: 'C909 - Elementary Reading Methods and Interventions - Elementary Reading Methods and Interventions provides students seeking initial teacher'
  ➜ Skipping stray line: 'licensure in elementary education with an in-depth look at best practices for developing the reading and writing skills of all students. Course content'
  ➜ Skipping stray line: 'examines the stages of literacy development, the balanced literacy approach, differentiation, technology integration, literacy-assessment, and the'
  ➜ Skipping stray line: 'comprehensive Response to Intervention (RTI) model used to identify and address the needs of learners who struggle with reading comprehension.'
  ➜ Skipping stray line: 'This course has no prerequisites.'
  ➜ Skipping stray line: 'C910 - Elementary Reading Methods and Interventions - Elementary Reading Methods and Interventions provides students seeking initial teacher'
  ➜ Skipping stray line: 'licensure in elementary education with an in-depth look at best practices for developing the reading and writing skills of all students. Course content'
  ➜ Skipping stray line: 'examines the stages of literacy development, the balanced literacy approach, differentiation, technology integration, literacy-assessment, and the'
  ➜ Skipping stray line: 'comprehensive Response to Intervention (RTI) model used to identify and address the needs of learners who struggle with reading comprehension.'
  ➜ Skipping stray line: 'This course has no prerequisites.'
  ➜ Skipping stray line: 'C912 - College Algebra - This course provides further application and analysis of algebraic concepts and functions through mathematical modeling of'
  ➜ Skipping stray line: 'real-world situations. Topics include: real numbers, algebraic expressions, equations and inequalities, graphs and functions, polynomial and rational'
  ➜ Skipping stray line: 'functions, exponential and logarithmic functions, and systems of linear equations.'
  ➜ Skipping stray line: 'C913 - Psychology for Educators - This course prepares candidates to meet the expectations of society and prepares future educators to support'
  ➜ Skipping stray line: 'classroom practice with research-validated concepts. The course helps future educators to create a framework for refining teaching skills that are'
  ➜ Skipping stray line: 'focused on the learner, through engaged inquiry of integrating theory, critical issues in psychology, classroom applications with diverse populations,'
  ➜ Skipping stray line: 'assessment, educational technology, and reflective teaching.'
  ➜ Skipping stray line: 'C914 - Teacher Performance Assessment in Mathematics Education - The Teacher Performance Assessment is a culmination of the wide variety'
  ➜ Skipping stray line: 'of skills learned during your time'
  ➜ Skipping stray line: 'in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of your content,'
  ➜ Skipping stray line: 'planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 170'
  ➜ Skipping stray line: 'C915 - Chemistry: Content Knowledge - Chemistry: Content Knowledge provides advanced instruction in the main areas of chemistry for which'
  ➜ Skipping stray line: 'secondary chemistry teachers are expected to demonstrate competency. Topics include matter and energy, thermochemistry, structure, bonding,'
  ➜ Skipping stray line: 'reactivity, biochemistry and organic chemistry, solutions, nature of science, technology and social perspectives, mathematics, and laboratory'
  ➜ Skipping stray line: 'procedures.'
  ➜ Skipping stray line: 'C925 - Earth: Inside and Out - Earth: Inside and Out explores the ways in which our dynamic planet evolved, and the processes and systems that'
  ➜ Skipping stray line: 'continue to shape it. Though the geologic record is incredibly ancient, it has only been studied intensely since the end of the nineteenth century. Since'
  ➜ Skipping stray line: 'then, research in fields such as geologic time, plate tectonics, climate change, exploration of the deep sea floor, and the inner earth have vastly'
  ➜ Skipping stray line: 'increased our understanding of geological processes. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C926 - Earth: Inside and Out - Earth: Inside and Out explores the ways in which our dynamic planet evolved, and the processes and systems that'
  ➜ Skipping stray line: 'continue to shape it. Though the geologic record is incredibly ancient, it has only been studied intensely since the end of the nineteenth century. Since'
  ➜ Skipping stray line: 'then, research in fields such as geologic time, plate tectonics, climate change, exploration of the deep sea floor, and the inner earth have vastly'
  ➜ Skipping stray line: 'increased our understanding of geological processes. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C930 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C931 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C932 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C933 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C934 - Preclinical Experiences in Elementary and Special Education - Preclinical Experiences in Elementary and Special Education provides'
  ➜ Skipping stray line: 'students the opportunity to observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence'
  ➜ Skipping stray line: 'necessary to be an effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the'
  ➜ Skipping stray line: 'classroom for the observations, students will be required to meet several requirements including a cleared background check, passing scores on the'
  ➜ Skipping stray line: 'state or WGU required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C935 - Preclinical Experiences in Elementary Education - Preclinical Experiences in Elementary Education provides students the opportunity to'
  ➜ Skipping stray line: 'observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an'
  ➜ Skipping stray line: 'effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the'
  ➜ Skipping stray line: 'observations, students will be required to meet several requirements including a cleared background check, passing scores on the state or WGU'
  ➜ Skipping stray line: 'required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C936 - Preclinical Experiences in Elementary Education - Preclinical Experiences in Elementary Education provides students the opportunity to'
  ➜ Skipping stray line: 'observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an'
  ➜ Skipping stray line: 'effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the'
  ➜ Skipping stray line: 'observations, students will be required to meet several requirements including a cleared background check, passing scores on the state or WGU'
  ➜ Skipping stray line: 'required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C937 - Preclinical Experiences in Science - Preclinical Experiences in Science provides students the opportunity to observe and participate in a'
  ➜ Skipping stray line: 'wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will'
  ➜ Skipping stray line: 'reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required'
  ➜ Skipping stray line: 'to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed'
  ➜ Skipping stray line: 'resume.'
  ➜ Skipping stray line: 'C938 - Preclinical Experiences in Science - Preclinical Experiences in Science provides students the opportunity to observe and participate in a'
  ➜ Skipping stray line: 'wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will'
  ➜ Skipping stray line: 'reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required'
  ➜ Skipping stray line: 'to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed'
  ➜ Skipping stray line: 'resume.'
  ➜ Skipping stray line: 'CQC2 - Calculus II - Calculus II is the study of the accumulation of change in relation to the area under a curve. It covers the knowledge and skills'
  ➜ Skipping stray line: 'necessary to apply integral calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include'
  ➜ Skipping stray line: 'antiderivatives; indefinite integrals; the substitution rule; Riemann sums; the Fundamental Theorem of Calculus; definite integrals; acceleration,'
  ➜ Skipping stray line: 'velocity, position, and initial values; integration by parts; integration by trigonometric substitution; integration by partial fractions; numerical integration;'
  ➜ Skipping stray line: 'improper integration; area between curves; volumes and surface areas of revolution; arc length; work; center of mass; separable differential equations;'
  ➜ Skipping stray line: 'direction fields; growth and decay problems; and sequences. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'CUA1 - Culture - Focuses on the nature and role of culture and the importance of cultural groups and cultural identity.'
  ➜ Skipping stray line: 'CWEL - Capstone Written Project in Educational Leadership - The capstone project will consist of the design and implementation of a short-term'
  ➜ Skipping stray line: 'datadriven school improvement initiative. Through the case study approach and during the capstone experience, you will identify one or more'
  ➜ Skipping stray line: 'measurable outcome improvement areas in your case study / practicum site. You will propose and develop short-term school improvement initiatives'
  ➜ Skipping stray line: 'and will then measure the outcomes and results of your implemented improvement initiatives.'
  ➜ Skipping stray line: 'CZC1 - Accounting II - Accounting II is a continuation of the topics that were addressed in Accounting I. Accounting II focuses on ways in which'
  ➜ Skipping stray line: 'accounting principles are used in business operations, deepening the student's understanding of Generally Accepted Accounting Principles (GAAP),'
  ➜ Skipping stray line: 'inventory, liabilities, and budgets. This course also introduces topics that are important for corporate accounting and financial analysis.'
  ➜ Skipping stray line: 'DPT1 - Physics: Electricity and Magnetism - Physics: Electricity and Magnetism addresses principles related to the physics of electricity and'
  ➜ Skipping stray line: 'magnetism. Students will study electric and magnetic forces and then apply that knowledge to the study of circuits with resistors and electromagnetic'
  ➜ Skipping stray line: 'induction and waves, focusing on such topics as: Electric charge and electric field, electric currents and resistance, magnetism, electromagnetic'
  ➜ Skipping stray line: 'induction and Faraday's law, and Maxwell's equation and electromagnetic waves.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 171'
  ➜ Skipping stray line: 'DPT2 - Physics: Electricity and Magnetism - Physics: Electricity and Magnetism addresses principles related to the physics of electricity and'
  ➜ Skipping stray line: 'magnetism. Students will study electric and magnetic forces and then apply that knowledge to the study of circuits with resistors and electromagnetic'
  ➜ Skipping stray line: 'induction and waves, focusing on such topics as: Electric charge and electric field, electric currents and resistance, magnetism, electromagnetic'
  ➜ Skipping stray line: 'induction and Faraday's law, and Maxwell's equation and electromagnetic waves.'
  ➜ Skipping stray line: 'DRC1 - Educational Assessment - Educational Assessment assists students in making appropriate data-driven instructional decisions by exploring'
  ➜ Skipping stray line: 'key concepts relevant to the administration, scoring, and interpretation of classroom assessments. Topics include ethical assessment practices,'
  ➜ Skipping stray line: 'designing assessments, aligning assessments, and utilizing technology for assessment.'
  ➜ Skipping stray line: 'DWP2 - Application of Elementary Social Studies Methods - Application of Elementary Social Studies Methods helps students learn how to'
  ➜ Skipping stray line: 'implement effective social studies instruction in the elementary classroom. Topics include social studies themes, promoting cultural diversity,'
  ➜ Skipping stray line: 'integrated social studies across the curriculum, social studies learning environments, assessing social studies understanding, differentiated instruction'
  ➜ Skipping stray line: 'for social studies, technology for social studies instruction, and standards-based social studies instruction. This course helps students to apply,'
  ➜ Skipping stray line: 'analyze, and reflect on effective elementary social studies instruction.'
  ➜ Skipping stray line: 'DZP2 - Application of Elementary Visual and Performing Arts Methods - Application of Elementary Visual and Performing Arts Methods helps'
  ➜ Skipping stray line: 'students learn how to implement effective visual and performing arts instruction in the elementary classroom. Topics include integrating arts across the'
  ➜ Skipping stray line: 'curriculum, music education, visual arts, dance and movement, dramatic arts, differentiated instruction for visual and performing arts, and promoting'
  ➜ Skipping stray line: 'cultural diversity through visual and performing arts instruction. This course helps students to apply, analyze, and reflect on effective elementary visual'
  ➜ Skipping stray line: 'and performing arts instruction.'
  ➜ Skipping stray line: 'EBP2 - Application of Elementary Physical Education and Health Methods - Applications of Elementary Physical Education and Health Methods'
  ➜ Skipping stray line: 'helps students learn how to implement effective physical and health education instruction in the elementary classroom. Topics include healthy'
  ➜ Skipping stray line: 'lifestyles, student safety, student nutrition, physical education, differentiated instruction for physical and health education, physical education across'
  ➜ Skipping stray line: 'the curriculum, and public policy in health and physical education. This course helps students to apply, analyze, and reflect on effective elementary'
  ➜ Skipping stray line: 'visual and performing arts instruction.'
  ➜ Skipping stray line: 'EFP1 - Cultural Studies and Diversity - Cultural Studies and Diversity focuses on the development of cultural awareness. Students will analyze the'
  ➜ Skipping stray line: 'role of culture in today’s world, develop culturally-responsive practices, and understand the barriers to and the benefits of diversity.'
  ➜ Skipping stray line: 'EFV1 - Behavioral Management and Intervention - Behavioral Management and Intervention explores the challenges of working with students with'
  ➜ Skipping stray line: 'emotional and behavioral disabilities and helps students learn about theories, interventions, practices, and assessments that can influence these'
  ➜ Skipping stray line: 'children's opportunities for success. It further helps students better be able to make decisions about how to strategize behavior'
  ➜ Skipping stray line: 'adjustments for individual students.'
  ➜ Skipping stray line: 'EFV2 - Behavioral Management and Intervention - Behavioral Management and Intervention explores the challenges of working with students with'
  ➜ Skipping stray line: 'emotional and behavioral disabilities and helps students learn about theories, interventions, practices, and assessments that can influence these'
  ➜ Skipping stray line: 'children's opportunities for success. It further helps students better be able to make decisions about how to strategize behavior adjustments for'
  ➜ Skipping stray line: 'individual students.'
  ➜ Skipping stray line: 'ELO1 - Subject Specific Pedagogy: ELL - Subject Specific Pedagogy: ELL integrates aspects of pedagogy, assessment, and professionalism in'
  ➜ Skipping stray line: 'English Language Learning (ELL). A student develops and assesses aspects of language curriculum development including second language'
  ➜ Skipping stray line: 'instruction, methods of second language assessment, and legal policy issues.'
  ➜ Skipping stray line: 'EST1 - Ethical Situations in Business - Ethical Situations in Business explores various scenarios in business and helps students learn to develop'
  ➜ Skipping stray line: 'ethical and socially responsible courses of action. Students will also learn to develop an appropriate and comprehensive ethics program for a business'
  ➜ Skipping stray line: 'venture.'
  ➜ Skipping stray line: 'EXP2 - College Geometry - College Geometry covers the knowledge and skills necessary to apply geometry to model and solve real-life problems, to'
  ➜ Skipping stray line: 'do formal axiomatic proofs in geometry, and to use dynamic technology to explore geometry. Topics include axiomatic systems and analytic proof;'
  ➜ Skipping stray line: 'non-Euclidean geometries; construction, analytic, and synthetic methods for investigating and proving properties and relationships of two- and three-'
  ➜ Skipping stray line: 'dimensional objects; geometric transformations, tessellations, and using inductive reasoning; concrete models; and dynamic technology to conduct'
  ➜ Skipping stray line: 'geometric investigations. College Algebra and Pre-Calculus are prerequisites for this course.'
  ➜ Skipping stray line: 'FCC1 - Introduction to Special Education, Law and Legal Issues - Introduction to Special Education, Law and Legal Issues introduces the history'
  ➜ Skipping stray line: 'and nature of special education and how it relates to general education, as well as specific legal acts and concepts governing it. Topics include history'
  ➜ Skipping stray line: 'of special education, the Individuals with Disabilities Education Act, the No Child Left Behind Act, FAPE (free, appropriate public education), and least'
  ➜ Skipping stray line: 'restrictive environments.'
  ➜ Skipping stray line: 'FCC2 - Introduction to Special Education, Law and Legal Issues, Policies and Procedures - Introduction to Special Education, Law and Legal'
  ➜ Skipping stray line: 'Issues, Policies and Procedures introduces the history and nature of special education and how it relates to general education, as well as specific'
  ➜ Skipping stray line: 'legal acts and concepts governing it. Topics include history of special education, the Individuals with Disabilities Education Act, the No Child Left'
  ➜ Skipping stray line: 'Behind Act, FAPE (free, appropriate public education), and least restrictive environments.'
  ➜ Skipping stray line: 'FEA1 - Field Experience for ELL - Field Experience for ELL is the field experience component of the English Language Learning program. In this'
  ➜ Skipping stray line: 'experience, students are required to complete a minimum of 15 hours of observations at both elementary and secondary levels. Additionally, a'
  ➜ Skipping stray line: 'supervised teaching experience that is face-to-face with English language learners according to the minimum time requirements of your state is'
  ➜ Skipping stray line: 'required. The purpose of this course is to assess the ability of the student including their engagement in field experience activities, ability to reflect on'
  ➜ Skipping stray line: 'and then plan standards-based instruction in ELL, and their ability to locate and effectively use resources for teaching ELL to meet the needs of their'
  ➜ Skipping stray line: 'individual students.'
  ➜ Skipping stray line: 'FJC1 - Psychoeducational Assessment Practices and IEP Development/Implementation - Psychoeducational Assessment Practices and IEP'
  ➜ Skipping stray line: 'Development/Implementation prepares students to apply knowledge the IEP as they work with students who have mild to moderate disabilities in a'
  ➜ Skipping stray line: 'wide variety of possible situations, all with an emphasis on cross-categorical inclusion. It helps students gain fluency in their understanding of the 13'
  ➜ Skipping stray line: 'disability categories, assessment, curriculum, and instruction.'
  ➜ Skipping stray line: 'FJC2 - Psychoeducational Assessment Practices and IEP Development/Implementation - Psychoeducational Assessment Practices and IEP'
  ➜ Skipping stray line: 'Development/Implementation prepares students to apply knowledge the IEP as they work with students who have mild to moderate disabilities in a'
  ➜ Skipping stray line: 'wide variety of possible situations, all with an emphasis on cross-categorical inclusion. It helps students gain fluency in their understanding of the 13'
  ➜ Skipping stray line: 'disability categories, assessment, curriculum, and instruction.'
  ➜ Skipping stray line: 'FLC1 - Instructional Models and Design, Supervision and Culturally Response Teaching - Instructional Models and Design, Supervision and'
  ➜ Skipping stray line: 'Culturally Response Teaching helps students understand the role of special education in the development of instruction, why this field exists separate'
  ➜ Skipping stray line: 'from and in conjunction with general education, where it is going, and how they can help coordinate inclusion for students. Students will gain expertise'
  ➜ Skipping stray line: 'in developing instructional, curricular, and environmental interventions based on assessment data and student need.'
  ➜ Skipping stray line: 'FLC2 - Instructional Models and Design, Supervision and Culturally Responsive Teaching - Instructional Models and Design, Supervision and'
  ➜ Skipping stray line: 'Culturally Responsive Teaching helps students understand the role of special education in the development of instruction, why this field exists'
  ➜ Skipping stray line: 'separate from and in conjunction with general education, where it is going, and how they can help coordinate inclusion for students. Students will gain'
  ➜ Skipping stray line: 'expertise in developing instructional, curricular, and environmental interventions based on assessment data and student need.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 172'
  ➜ Skipping stray line: 'FVC1 - Global Business - This course provides an introduction to global business. The advantages of global production and the benefits of trade are'
  ➜ Skipping stray line: 'critical aspects of global business. Many factors influence global business, such as transparency, geography, corruption, intellectual property'
  ➜ Skipping stray line: 'protections, outsourcing and off-shoring, operation management, and generally accepted accounting principles.'
  ➜ Skipping stray line: 'FXT2 - Disaster Recovery Planning, Prevention and Response - This course prepares students to plan and execute industry best practices related'
  ➜ Skipping stray line: 'to conducting organization-wide information assurance initiatives and to preparing an organization for implementing a comprehensive Information'
  ➜ Skipping stray line: 'Assurance Management program.'
  ➜ Skipping stray line: 'HMP1 - Cases in Advanced Human Resource Management - During Cases in Advanced Human Resource Management students apply their'
  ➜ Skipping stray line: 'knowledge of human resource management by completing a case study. Students will apply critical human resource strategies in the areas of'
  ➜ Skipping stray line: 'legal/regulatory compliance, recruitment and selection of personnel, performance and feedback mechanisms, and financial and benefits'
  ➜ Skipping stray line: 'compensation.'
  ➜ Skipping stray line: 'IDC1 - Foundations of Instructional Design - Foundations of Instructional Design provides an overview of how to select the most appropriate'
  ➜ Skipping stray line: 'learning theories, design processes, and instructional strategies based on learner audience, instructional setting, and current and desired state of'
  ➜ Skipping stray line: 'learning.'
  ➜ Skipping stray line: 'IYT2 - Introduction to Curriculum Theory - For over 200 years, educators in the United States have debated the purpose of education. Should'
  ➜ Skipping stray line: 'education be for enlightenment or to prepare students for the life of work? Should education be for many or for a select few? These questions continue'
  ➜ Skipping stray line: 'to be debated today. Through curriculum theory and reflection, educators have an educational framework by which to understand how theory and'
  ➜ Skipping stray line: 'one's philosophical views can impact the design, development, and implementation of curriculum and instruction. With this in mind, Introduction to'
  ➜ Skipping stray line: 'Curriculum Theory focuses on exploring and applying an understanding of Scholar Academic, Social Efficiency, Learner Centered, and Social'
  ➜ Skipping stray line: 'Reconstruction ideologies in various instructional settings and on the development on one’s own curriculum philosophy.'
  ➜ Skipping stray line: 'IZT2 - Learning Theories - Learning Theories focuses on the complexity of the current learning environment and how behaviorism, cognitivism,'
  ➜ Skipping stray line: 'constructivism, and personal learning philosophy can assist in the development of appropriate curriculum and instruction.'
  ➜ Skipping stray line: 'JIT2 - Risk Management - Content focuses on categorizing levels of risk and understanding how risk can impact the operations of the business'
  ➜ Skipping stray line: 'through a scenario involving the creation of a risk management program and business continuity program for a company and a business situation'
  ➜ Skipping stray line: 'reacting to a crisis/disaster situation affecting the company.'
  ➜ Skipping stray line: 'JNT2 - Instructional Design Analysis - Instructional Design Analysis focuses on using analysis of needs to determine the needs and interests of'
  ➜ Skipping stray line: 'learners, and scope and sequence for developing a logical approach for an education program to formulate appropriate and measurable program'
  ➜ Skipping stray line: 'objectives.'
  ➜ Skipping stray line: 'JOT2 - Issues in Instructional Design - Issues in Instructional Design focuses on learning theories, learner analysis, scope and sequence,'
  ➜ Skipping stray line: 'instructional strategies, task analysis and design theories, media and technology foundations, and adaptive technologies for special populations for'
  ➜ Skipping stray line: 'creating effective, well-articulated, and efficient instruction.'
  ➜ Skipping stray line: 'JPT2 - Instructional Design Production - Instructional Design Production focuses on the application of a systematic process of instructional design,'
  ➜ Skipping stray line: 'namely the concepts and procedure for analyzing and designing successful instruction. This course will prepare students to conduct a goal analysis, a'
  ➜ Skipping stray line: 'process used to identify instructional goals, as well as a task analysis, which is used to determine the skills and knowledge required to accomplish'
  ➜ Skipping stray line: 'those goals. This course also focuses on writing performance objectives, designing assessments, and developing instruction that incorporates relevant'
  ➜ Skipping stray line: 'learning theories. Methods for formatively evaluating a unit of instruction are also introduced. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'JQT2 - Issues in Measurement and Evaluation - Issues in Measurement and Evaluation focuses on the understanding of formative and summative'
  ➜ Skipping stray line: 'evaluation, quantitative and qualitative data collection tools, including rubrics and the processes of evaluation.'
  ➜ Skipping stray line: 'JRT2 - Evaluation Methodology and Instrumentation - Evaluation Methodology and Instrumentation focuses on using qualitative and quantitative'
  ➜ Skipping stray line: 'data collection tools and techniques to construct and evaluate valid and reliable measuring instruments.'
  ➜ Skipping stray line: 'JST2 - Evaluation Process and Recommendation - Evaluation Process and Recommendation focuses on implementing and interpreting an'
  ➜ Skipping stray line: 'evaluation and the reporting of the results and recommendations to stakeholders.'
  ➜ Skipping stray line: 'JWT2 - Instructional Theory - Instructional Theory focuses on exploring instructional design theory and related models and processes. Students will'
  ➜ Skipping stray line: 'apply instructional design principles to the design and delivery of plans to meet the learning needs found in the instructional setting.'
  ➜ Skipping stray line: 'JXT2 - Educational Psychology - Educational Psychology examines the latest findings in child and adolescent development and provides educators'
  ➜ Skipping stray line: 'the opportunity to apply educational psychology to various instructional settings. Students will explore the areas of applied educational psychology to'
  ➜ Skipping stray line: 'teaching, cognitive development, social development, and cultural development. They will design, develop, modify, and evaluate curriculum and'
  ➜ Skipping stray line: 'instruction in various educational settings according to child/adolescent development.'
  ➜ Skipping stray line: 'JYT2 - Curriculum Design - Curriculum Design focuses on exploring curriculum design theory, educational standards, and design frameworks for'
  ➜ Skipping stray line: 'what to teach. Together these topics will provide educators with the ability to take principles of curriculum design theory and related models and apply'
  ➜ Skipping stray line: 'them when developing, designing, and modifying curriculum to meet learning needs in their instructional setting.'
  ➜ Skipping stray line: 'JZT2 - Curriculum Evaluation - Curriculum Evaluation focuses on exploring evaluation systems and student data to determine the effectiveness of'
  ➜ Skipping stray line: 'curriculum. It also focuses on differentiating curriculum based on student data.'
  ➜ Skipping stray line: 'KAT2 - Assessment for Student Learning - Assessment for Student Learning focuses on developing the knowledge and skills to identify, develop,'
  ➜ Skipping stray line: 'and design instrument tools for evaluating student learning. It also explores the use of objective and performance-based, formative, and summative'
  ➜ Skipping stray line: 'assessments and their results in the evaluation of curriculum and instruction for student learning.'
  ➜ Skipping stray line: 'KBT2 - Differentiated Instruction - Differentiated Instruction focuses on developing and implementing curriculum and instruction that that best meets'
  ➜ Skipping stray line: 'the needs of all learners within a given instructional setting.'
  ➜ Skipping stray line: 'LEC1 - Comprehensive Educational Leadership Integration - You will complete a comprehensive objective proctored assessment in Educational'
  ➜ Skipping stray line: 'Leadership theory and practices, including administrative theory, school law, school finance, curriculum development and implementation, personnel'
  ➜ Skipping stray line: 'management, public relations, and technology. You will be required to pass the Comprehensive Educational Leadership Integration objective'
  ➜ Skipping stray line: 'assessment.'
  ➜ Skipping stray line: 'LFT1 - Student, Stakeholder, and Market Focus for Educational Leaders - This subdomain reviews principles and practices of meeting'
  ➜ Skipping stray line: 'stakeholder needs and reviews your case study site’s effectiveness in managing stakeholder relationships.'
  ➜ Skipping stray line: 'LMT1 - Measurement, Analysis, and Knowledge Management for Educational Leaders - This subdomain reviews principles and practices of'
  ➜ Skipping stray line: 'program and curriculum effectiveness evaluation as well as best practices in technology for educational leaders. You also complete a program,'
  ➜ Skipping stray line: 'practice, or curriculum effectiveness evaluation in your case study site as well as an evaluation of technology implementation.'
  ➜ Skipping stray line: 'LNT1 - Process Management for Educational Leaders - This subdomain reviews best practices in process management for educational leaders, as'
  ➜ Skipping stray line: 'well as an evaluation of your case study site’s process management policies and practices.'
  ➜ Skipping stray line: 'LPA1 - Language Production, Theory and Acquisition - Language Production, Theory and Acquisition focuses on describing and understanding'
  ➜ Skipping stray line: 'language and the development of language. It includes the study of acquisition theory, grammar, and applied phonetics.'
  ➜ Skipping stray line: 'LPT1 - Performance Excellence Criteria for Educational Leaders - This subdomain reviews the case study model and prepares you to complete a'
  ➜ Skipping stray line: 'thorough review of the effectiveness of their case study site’s operations, outcomes, and leadership.'
  ➜ Skipping stray line: 'LQT2 - Information Security and Assurance Capstone Project - Students will be able to choose from three areas of emphasis, depending on'
  ➜ Skipping stray line: 'personal and professional interests. Students will complete a capstone project that deals with a significant real-world business problem that further'
  ➜ Skipping stray line: 'integrates the components of the degree. Capstone projects will require an oral defense before a committee of WGU faculty.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 173'
  ➜ Skipping stray line: 'LRT1 - Practicum in Educational Leadership - Foundational Perspectives of Education includes a series of performance tasks to take place under'
  ➜ Skipping stray line: 'the leadership of a practicing state licensed school principal or assistant principal in a practicum school site (K–12). This assessment also includes'
  ➜ Skipping stray line: 'completion of assigned administrative duties to take place in both elementary (K–6) and secondary (7–12) settings under the leadership and'
  ➜ Skipping stray line: 'supervision of the cooperating administrator in your case study school site. Practicum requirements vary by state of intended licensure and WGU'
  ➜ Skipping stray line: 'program requirements, and the standard has been set between 275 and 540 of logged practicum activities that span a minimum of six consecutive'
  ➜ Skipping stray line: 'months. Please refer back to the WGU Student Handbook for reference of your program requirements. You are required to pass the Practicum in'
  ➜ Skipping stray line: 'Educational Leadership performance assessments and successfully submit other documentation, including evaluations of your performance'
  ➜ Skipping stray line: 'completed by the cooperating administrator and documentation of completion of state-required hours of assigned administrative duties. The'
  ➜ Skipping stray line: 'Educational Leadership Practicum requires a practicum fee. During the Educational Leadership Practicum, you are also expected to take and pass'
  ➜ Skipping stray line: 'your state's licensure examination(s) required for certification as a school principal and the PRAXIS 5411 Educational Leadership: Administration and'
  ➜ Skipping stray line: 'Supervision exam.'
  ➜ Skipping stray line: 'LST1 - Strategic Planning for Educational Leaders - This subdomain reviews principles and practices of the strategic planning process as well as a'
  ➜ Skipping stray line: 'case study review of the strategic planning processes in your case study site.'
  ➜ Skipping stray line: 'LWT1 - Workforce Focus for Educational Leaders - This subdomain reviews best practices in human resource administration for educational'
  ➜ Skipping stray line: 'leaders, as well as an evaluation of your case study site’s workforce management practices.'
  ➜ Skipping stray line: 'LZT2 - Power, Influence and Leadership - This course focuses on the development of the critical leadership and soft skills necessary for success in'
  ➜ Skipping stray line: 'information technology leadership and management. The course focuses specifically on skills such as cultivating effective leadership communication,'
  ➜ Skipping stray line: 'building personal influence, enhancing emotional intelligence (soft skills), generating ideas and encouraging idea generation in others, conflict'
  ➜ Skipping stray line: 'resolution, and positioning oneself as an influential change agent within different organizational cultures.'
  ➜ Skipping stray line: 'MAT2 - Information Technology Management - This course will prepare students to cope with information technology resources in a manner'
  ➜ Skipping stray line: 'beneficial to their company. Such skill includes estimating both the cost and value of IT to the company, setting priorities for project selection,'
  ➜ Skipping stray line: 'management of IT projects, and handling risk. These responsibilities imply an ability to align technology with an organization’s strategic goals. In total,'
  ➜ Skipping stray line: 'students will develop the ability to effectively administer and manage current and emerging technologies within an organization.'
  ➜ Skipping stray line: 'MBT2 - Technological Globalization - This course is designed to equip students to better understand the fundamental, galvanizing and'
  ➜ Skipping stray line: 'transformational role of advanced IT communications, networks and services in all major industries; advanced IT is an unparalleled force multiplier in'
  ➜ Skipping stray line: 'scientific research, energy production and use, health and medicine. IT is a critical resource in the global community, economically, socially, politically'
  ➜ Skipping stray line: 'and culturally.'
  ➜ Skipping stray line: 'MCT2 - Technical Writing - As IT professionals are frequently required to interface with customers, clients, other departments, organizational leaders,'
  ➜ Skipping stray line: 'and even other institutions, strong communication skills are vital. In this course, students learn to communicate accurately, effectively, and ethically to'
  ➜ Skipping stray line: 'a variety of audiences. Students design communication to fit oral, print, and multi-media contexts. They develop rhetorical sensitivity in both their'
  ➜ Skipping stray line: 'writing and their design decisions.'
  ➜ Skipping stray line: 'MEC1 - Foundations of Measurement and Evaluation - Foundations of Measurement and Evaluation focuses on assessment validity, constructing'
  ➜ Skipping stray line: 'reliable test instruments, identifying appropriate item and instrument types, qualitative data collection tools and techniques, and conducting a formative'
  ➜ Skipping stray line: 'and summative evaluation for an instruction product or program.'
  ➜ Skipping stray line: 'MFT2 - Mathematics (K-6) Portfolio Oral Defense - Mathematics (K-6) Portfolio Oral Defense: Mathematics (K-6) Portfolio Defense focuses on a'
  ➜ Skipping stray line: 'formal presentation. The student will present an overview of their teacher work sample (TWS) portfolio discussing the challenges they faced and how'
  ➜ Skipping stray line: 'they determined whether their goals were accomplished. They will explain the process they went through to develop the TWS portfolio and reflect on'
  ➜ Skipping stray line: 'the methodologies and outcomes of the strategies discussed in the TWS portfolio. Additionally, they will discuss the strengths and weaknesses of'
  ➜ Skipping stray line: 'those strategies and how they can apply what they learned from the TWS portfolio in their professional work environment.'
  ➜ Skipping stray line: 'MGT2 - IT Project Management - IT Project Management provides an overview of the Project Management Institute’s project management'
  ➜ Skipping stray line: 'methodology. Topics cover various process groups and knowledge areas and application of knowledge in case studies for planning a project that has'
  ➜ Skipping stray line: 'not started yet and monitoring/controlling a project that is already underway.'
  ➜ Skipping stray line: 'MMT2 - IT Strategic Solutions - In IT Strategic Solutions the learner will have the opportunity to identify strategic opportunities and emerging'
  ➜ Skipping stray line: 'technologies as they research and decide on a system to support a growing company. Topics will include technology strategy; gap analysis;'
  ➜ Skipping stray line: 'researching new technology; strengths, opportunities, weaknesses, and threats; ethics; risk mitigation; data security, communication plans; and'
  ➜ Skipping stray line: 'globalization.'
  ➜ Skipping stray line: 'NHC1 - Introduction to Instructional Planning and Presentation - Students will develop a basic understanding of effective instructional principles'
  ➜ Skipping stray line: 'and how to differentiate instruction in order to elicit powerful teaching in the classroom.'
  ➜ Skipping stray line: 'NMA1 - Professional Role of the ELL Teacher - The Professional Role of the ELL Teacher focuses on issues of professionalism for the English'
  ➜ Skipping stray line: 'Language Learning teacher and leader. This includes program development, ethics, engagement in professional organizations, serving as a resource,'
  ➜ Skipping stray line: 'and ELL advocacy.'
  ➜ Skipping stray line: 'NNA1 - Planning, Implementing, Managing Instruction - Planning, Implementing, Managing Instruction focuses on a variety of philosophies and'
  ➜ Skipping stray line: 'grade levels of English Language Learner (ELL) instruction. It includes the study of ELL listening and speaking, ELL reading and writing, specially'
  ➜ Skipping stray line: 'designed academic instruction in English (SDAIE), and specific issues for various grade level instruction.'
  ➜ Skipping stray line: 'OOT2 - Mathematics History and Technology - Mathematics History and Technology introduces a variety of technological tools for doing'
  ➜ Skipping stray line: 'mathematics, and you will develop a broad understanding of the historical development of mathematics. You will come to understand that'
  ➜ Skipping stray line: 'mathematics is a very human subject that comes from the macro-level sweep of cultural and societal change, as well as the micro-level actions of'
  ➜ Skipping stray line: 'individuals with personal, professional, and philosophical motivations. Most importantly, you will learn to evaluate and apply technological tools and'
  ➜ Skipping stray line: 'historical information to create an enriching student-centered mathematical learning environment. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'OPT2 - Mathematics Learning and Teaching - Mathematics Learning and Teaching will help you develop the knowledge and skills necessary to'
  ➜ Skipping stray line: 'become a prospective and practicing educator. You will be able to use a variety of instructional strategies to effectively facilitate the learning of'
  ➜ Skipping stray line: 'mathematics. This course focuses on selecting appropriate resources, using multiple strategies, and instructional planning, with methods based on'
  ➜ Skipping stray line: 'research and problem solving. A deep understanding of the knowledge, skills, and disposition of mathematics pedagogy is necessary to become an'
  ➜ Skipping stray line: 'effective secondary mathematics educator. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'PFHM - Business - HR Management Portfolio Requirement - Students prepare a culminating professional portfolio to demonstrate the'
  ➜ Skipping stray line: 'competencies they have learned throughout their program. The portfolio includes a strengths essay, a career report, a reflection essay, a résumé, and'
  ➜ Skipping stray line: 'exhibits demonstrating personal strengths in the work place.'
  ➜ Skipping stray line: 'PFIT - Business - IT Management Portfolio Requirement - Business - IT Management Portfolio Requirement is designed to help the learner'
  ➜ Skipping stray line: 'complete the culminating Undergraduate Business Portfolio assessment; it focuses on developing a business portfolio containing a strengths essay, a'
  ➜ Skipping stray line: 'career report, a reflection essay, a resume, and exhibits that support one’s strengths in the work place.'
  ➜ Skipping stray line: 'QDT1 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'
  ➜ Skipping stray line: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'
  ➜ Skipping stray line: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'
  ➜ Skipping stray line: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'
  ➜ Skipping stray line: 'Algebra is a prerequisite for this course.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 174'
  ➜ Skipping stray line: 'QDT2 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'
  ➜ Skipping stray line: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'
  ➜ Skipping stray line: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'
  ➜ Skipping stray line: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'
  ➜ Skipping stray line: 'Algebra is a prerequisite for this course.'
  ➜ Skipping stray line: 'QET1 - Business - HR Management Capstone Project - For the Business - HR Management Capstone Project students will integrate and'
  ➜ Skipping stray line: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ➜ Skipping stray line: 'professional field. A comprehensive business plan is developed for a company that offers HR products or services. The business plan includes a'
  ➜ Skipping stray line: 'market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ➜ Skipping stray line: 'QFT1 - Business - IT Management Capstone Project - The capstone requires students to demonstrate the integration and synthesis of'
  ➜ Skipping stray line: 'competencies in all domains required for the degree in Information Technology Management. The student produces a business plan for a start-up'
  ➜ Skipping stray line: 'company that is selected and approved by the student and mentor.'
  ➜ Skipping stray line: 'QGT1 - Business Management Capstone Written Project - For the Business Management Capstone Written Project students will integrate and'
  ➜ Skipping stray line: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ➜ Skipping stray line: 'professional field. A comprehensive business plan is developed for a company that plans to sell a product or service in a local market, national'
  ➜ Skipping stray line: 'market, or on the Internet. The business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to'
  ➜ Skipping stray line: 'the chosen company.'
  ➜ Skipping stray line: 'QHT1 - Business Management Tasks - Business Management Tasks addresses important concepts needed to effectively manage a'
  ➜ Skipping stray line: 'business. Topics include the cost-quality relationship, the use of various types of graphical charts in operations management, managing innovation,'
  ➜ Skipping stray line: 'and developing strategies for working with individuals and groups.'
  ➜ Skipping stray line: 'QIT1 - Business Marketing Management Capstone Written Project - For the Business Marketing Management Capstone Project students will'
  ➜ Skipping stray line: 'integrate and synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their'
  ➜ Skipping stray line: 'chosen professional field. A comprehensive business plan is developed for a company that provides some type of marketing product or service. The'
  ➜ Skipping stray line: 'business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ➜ Skipping stray line: 'QJT2 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to use'
  ➜ Skipping stray line: 'differential calculus of one variable and appropriate technology to solve basic problems. Topics include graphing functions and finding their domains'
  ➜ Skipping stray line: 'and ranges; limits, continuity, differentiability, visual, analytical, and conceptual approaches to the definition of the derivative; the power, chain, and'
  ➜ Skipping stray line: 'sum rules applied to polynomial and exponential functions, position and velocity; and L'Hopital's Rule. Candidates should have completed a course in'
  ➜ Skipping stray line: 'Pre-Calculus before engaging in this course.'
  ➜ Skipping stray line: 'QTT2 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ➜ Skipping stray line: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ➜ Skipping stray line: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ➜ Skipping stray line: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'RKT1 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ➜ Skipping stray line: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ➜ Skipping stray line: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ➜ Skipping stray line: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ➜ Skipping stray line: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ➜ Skipping stray line: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'RKT2 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ➜ Skipping stray line: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ➜ Skipping stray line: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ➜ Skipping stray line: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ➜ Skipping stray line: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ➜ Skipping stray line: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'RNT1 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ➜ Skipping stray line: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ➜ Skipping stray line: 'RNT2 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ➜ Skipping stray line: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ➜ Skipping stray line: 'RXT2 - Precalculus and Calculus - Precalculus and Calculus provides instruction in precalculus and calculus and applies them to examples found in'
  ➜ Skipping stray line: 'both mathematics and science. Topics in precalculus include principles of trigonometry, mathematical modeling, and logarithmic, exponential,'
  ➜ Skipping stray line: 'polynomial, and rational functions. Topics in calculus include conceptual knowledge of limit, continuity, differentiability, and integration.'
  ➜ Skipping stray line: 'SJT2 - Advanced Networking Technology - This course prepares students to support the ever growing interconnectivity needs of organizations.'
  ➜ Skipping stray line: 'Students will learn about advanced networking concepts, devices and strategies to provide superior network connectivity to organizations. A review of'
  ➜ Skipping stray line: 'common yet critical network devices and technologies will be provided such as switches, routers, hubs, firewalls, T-1s, ATM, fiber and others.'
  ➜ Skipping stray line: 'Students will also be prepared to review existing network environments and provide specifications to upgrade and enhance such networks.'
  ➜ Skipping stray line: 'SLO1 - Theories of Second Language Acquisition and Grammar - Theories of Second Language Learning Acquisition and Grammar covers'
  ➜ Skipping stray line: 'content material in applied linguistics, including morphology, syntax, semantics, and grammar. Students will explore the role of dialect in the'
  ➜ Skipping stray line: 'classroom, the connections between language and culture, and the theories of first and second language acquisition.'
  ➜ Skipping stray line: 'TAT2 - Technology Production - Technology Production focuses on the foundations of media and technology, integrated technology development,'
  ➜ Skipping stray line: 'and the integration of technology into appropriate instructional uses of productivity, and applying different research applications in the learning'
  ➜ Skipping stray line: 'environment.'
  ➜ Skipping stray line: 'TDT1 - Technology Design Portfolio - Technology Design Portfolio focuses on gaining a broad overview of the field of technology integration with a'
  ➜ Skipping stray line: 'fundamental understanding of some key concepts and principles, and enhancing technology skills to enable the producing of exportable instructional'
  ➜ Skipping stray line: 'and professional products using various integrated application programs.'
  ➜ Skipping stray line: 'TET1 - Issues in Technology Integration - Issues in Technology Integration focuses on the legal and ethical practice of technology, some personal'
  ➜ Skipping stray line: 'uses of electronic resources, the need for protection of information, the foundations of media and technology, what electronic learning communities'
  ➜ Skipping stray line: 'are, and the adaptive technologies for special populations.'
  ➜ Skipping stray line: 'TFT2 - Cyberlaw, Regulations, and Compliance - Cyberlaw, Regulations and Compliance prepares students to participate in legal analysis of'
  ➜ Skipping stray line: 'relevant cyberlaws and address governance, standards, policies, and legislation. Students will conduct a security risk analysis for an enterprise'
  ➜ Skipping stray line: 'system. In addition, students will determine cyber requirements for third‐party vendor agreements. Students will also evaluate provisions of both the'
  ➜ Skipping stray line: '2001 and 2006 USA PATRIOT Acts.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 175'
  ➜ Skipping stray line: 'TOC2 - Probability and Statistics I - Probability and Statistics I covers the knowledge and skills necessary to apply basic probability, descriptive'
  ➜ Skipping stray line: 'statistics, and statistical reasoning, and to use appropriate technology to model and solve real-life problems. It provides an introduction to the science'
  ➜ Skipping stray line: 'of collecting, processing, analyzing, and interpreting data. Topics include creating and interpreting numerical summaries and visual displays of data;'
  ➜ Skipping stray line: 'regression lines and correlation; evaluating sampling methods and their effect on possible conclusions; designing observational studies, controlled'
  ➜ Skipping stray line: 'experiments, and surveys; and determining probabilities using simulations, diagrams, and probability rules. College Algebra is a prerequisite for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'TQC1 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Skipping stray line: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Skipping stray line: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Skipping stray line: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Skipping stray line: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Skipping stray line: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Skipping stray line: 'TQC2 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Skipping stray line: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Skipping stray line: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Skipping stray line: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Skipping stray line: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Skipping stray line: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Skipping stray line: 'TSC2 - General Chemistry I - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Skipping stray line: 'solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic table and chemical'
  ➜ Skipping stray line: 'nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work focuses on using'
  ➜ Skipping stray line: 'effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TSP1 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Skipping stray line: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Skipping stray line: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TSP2 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Skipping stray line: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Skipping stray line: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TUC2 - General Chemistry II - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Skipping stray line: 'solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models, oxidation-reduction'
  ➜ Skipping stray line: 'reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on using effective'
  ➜ Skipping stray line: 'laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TUP1 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Skipping stray line: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Skipping stray line: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TUP2 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Skipping stray line: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Skipping stray line: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TVT2 - Governance, Finance, Law, and Leadership for Principals - This subdomain contains content in educational law, finance, and'
  ➜ Skipping stray line: 'administration as well as a case study review of your site’s leadership practices.'
  ➜ Skipping stray line: 'UFC1 - Managerial Accounting - This course focuses on identifying, gathering, and interpreting information that will be used for evaluating and'
  ➜ Skipping stray line: 'managing the performance of a business. Students will also study cost measurement for producing goods and services and how to analyze and'
  ➜ Skipping stray line: 'control these costs.'
  ➜ Skipping stray line: 'UQT1 - Organic Chemistry - This course focuses on the study of compounds that contain carbon, much of which is learning how to organize and'
  ➜ Skipping stray line: 'group these compounds based on common bonds found within them in order to predict their structure, behavior, and reactivity.'
  ➜ Skipping stray line: 'VLT2 - Security Policies and Standards - Best Practices - This course focuses on the practices of planning and implementing organization-wide'
  ➜ Skipping stray line: 'security and assurance initiatives as well as auditing assurance processes.'
  ➜ Skipping stray line: 'VYC1 - Principles of Accounting - Principles of Accounting focuses on ways in which accounting principles are used in business operations.'
  ➜ Skipping stray line: 'Students will learn about the basics of accounting, including how to use Generally Accepted Accounting Principles (GAAP), ledgers, and journals.'
  ➜ Skipping stray line: 'Students will also be introduced to the steps of the accounting cycle, concepts of assets and liabilities, and general information about accounting'
  ➜ Skipping stray line: 'information systems. This course also presents bank reconciliation methods, balance sheets, and business ethics.'
  ➜ Skipping stray line: 'VZT1 - Marketing Applications - Marketing Applications allows students to apply their knowledge of core marketing principles by creating a'
  ➜ Skipping stray line: 'comprehensive marketing plan. Their plan will apply their knowledge of the marketing planning process, market analysis, and the marketing mix'
  ➜ Skipping stray line: '(product, place, promotion, and price).'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 176'
  ➜ Skipping stray line: 'Course Mentor Directory'
  ➜ Skipping stray line: 'General Education'
  ➜ Skipping stray line: 'Adams, William; M.A., Savanah College of Art and Design'
  ➜ Skipping stray line: 'Aguirre, Jennifer; M.S., Walden University'
  ➜ Skipping stray line: 'Akens, Jonne; Ph. D., Texas A&M University'
  ➜ Skipping stray line: 'Alexander, Ledora; Ed.S., Walden University'
  ➜ Skipping stray line: 'Ashe, James; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Barnes, Lauri; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Baty, Amanda; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Benson, Bryan; Ph.D., Boston College'
  ➜ Skipping stray line: 'Bilbrey, Joshua; Ph.D., Texas State University'
  ➜ Skipping stray line: 'Borden, Anne; Ph.D., Emory University'
  ➜ Skipping stray line: 'Brewer, Craig: Ph.D., University of Notre Dame'
  ➜ Skipping stray line: 'Brown, Bonnie; Ph.D., Stephen F. Austin State University'
  ➜ Skipping stray line: 'Browning, Ellen; Ph.D., University of Texas, Arlington'
  ➜ Skipping stray line: 'Buchanan, Tenielle; Ed.D., Lipscomb University'
  ➜ Skipping stray line: 'Byrnes, Sean; Ph.D., Emory University'
  ➜ Skipping stray line: 'Carmona, Karla; M.S., Western Governors University'
  ➜ Skipping stray line: 'Castaneda, Gilivaldo; M.Ed., University of Texas at San Antonio'
  ➜ Skipping stray line: 'Chaves Ulloa, Ramsa; Ph.D., Dartmouth College'
  ➜ Skipping stray line: 'Chittick, Sharla; Ph.D., University of Stirling'
  ➜ Skipping stray line: 'Condit, Lorna; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Cowan, Christy; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Crawford, Nathan; Ph.D., University of Tennessee-Knoxville'
  ➜ Skipping stray line: 'Crooks, Kathleen; Ph.D., University of Akron'
  ➜ Skipping stray line: 'Cross, Cameron; M.S., Kaplan University'
  ➜ Skipping stray line: 'Cureton, Sara; M.A., Gonzaga Univeristy'
  ➜ Skipping stray line: 'Cutler, Ned; Ph.D., Duke University'
  ➜ Skipping stray line: 'Dodge, Joshua; M.A., University of Central Florida'
  ➜ Skipping stray line: 'Dorre, Gina; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Douglas, Katherine; M.A., University of California, San Diego'
  ➜ Skipping stray line: 'Duff, Kandi; Ed.D., Idaho State University'
  ➜ Skipping stray line: 'Dungar, Michael; MA, Boston College'
  ➜ Skipping stray line: 'Edmunds, Jeffrey; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Evans, Robin; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Evenson Newhouse, Ranae; Ph.D., Vanderbilt University'
  ➜ Skipping stray line: 'Faucett, Jessica; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Fehnel, Bradley; M.S., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Fellow, Jill; M.S., Brigham Young University'
  ➜ Skipping stray line: 'Franco, Heidi; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Frusciante, Denise; Ph.D., University of Miami'
  ➜ Skipping stray line: 'Galindez, Dahlia; MA, Western Governors University'
  ➜ Skipping stray line: 'Gangaram, Jitendra; Ph.D., North Central University'
  ➜ Skipping stray line: 'Garrett, Janette; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Goodwin, Rachel; Ph.D., University of Texas'
  ➜ Skipping stray line: 'Gordon, Kelley; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Gravitte, Kristen; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Gradzielewski, Andrew; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Halula, Stephen; Ph.D., Marquette University'
  ➜ Skipping stray line: 'Harris, Steven; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Hartwick, Andromeda; Ph.D., University of Michigan'
  ➜ Skipping stray line: 'Hayne, Victoria; Ph.D., University of California - Los Angeles'
  ➜ Skipping stray line: 'Hernandez, Ali; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Hillyer, Aaron; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Horne, Lisa; M.A., Brigham Young University'
  ➜ Skipping stray line: 'Hurley, Norman; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Jensen, Taylor; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Johnson, Stephanie; MBA, Lindenwood University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 177'
  ➜ Skipping stray line: 'Jones, Lee; Ph.D., Clark Atlanta University'
  ➜ Skipping stray line: 'Kelley, Matthew; Ph.D., University of Nevada-Las Vegas'
  ➜ Skipping stray line: 'Kelly, Lynn; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Knieps, Linda; Ph.D., Vanderbilt University'
  ➜ Skipping stray line: 'Knous, Helen; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Landry, Stan; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Latham, Kary; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Lauren, Jennifer; Ph.D., Duquesne University'
  ➜ Skipping stray line: 'Leep, Matthew; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Lettau, Lisa; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Little, David; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Lukin, Kara; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Main, Daniel; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Mammen, John; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Mantooth, Stacy; Ph. D., University of Nevada – Las Vegas'
  ➜ Skipping stray line: 'Martin, Jonathan; M.A., West Virginia University'
  ➜ Skipping stray line: 'Mays, Ashley; Ph.D., University of North Carolina at Chapel Hill'
  ➜ Skipping stray line: 'McCune, Timothy; Ph.D., Youngstown State University'
  ➜ Skipping stray line: 'McWatters, Mason; Ph.D., University of Texas at Austin'
  ➜ Skipping stray line: 'Metoki, Kiyoko; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Meyer, Nicholas; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Miller, Don; Ph.D., Morehouse School of Medicine'
  ➜ Skipping stray line: 'Miller, Kathleen; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Moody, Vivian; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Mosgrove, Sharon; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Moss, Meg; Ph.D., University of Tennessee-Knoxville'
  ➜ Skipping stray line: 'Mzoughi, Taha; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Nelson, Angela; Ph.D., Cornell University'
  ➜ Skipping stray line: 'Nicley, Erinn; M.S., Florida State University'
  ➜ Skipping stray line: 'Norton, Cindy; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Olson, Nels; Ph.D., Michigan State University'
  ➜ Skipping stray line: 'Oulette, David; Ph.D., Virginia Commonwealth University'
  ➜ Skipping stray line: 'Palmer, Michael; M.F.A., University of Utah'
  ➜ Skipping stray line: 'Pankowski, Peg; Ed.D., Duquesne University'
  ➜ Skipping stray line: 'Parrish, Anca; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Parton, Sabrena; Ph.D., University of Southern Mississippi'
  ➜ Skipping stray line: 'Parvin, Kathleen; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Peppers, Shelitha; Ed.D., Maryville University'
  ➜ Skipping stray line: 'Perkins, Heidi; M.S., Excelsior College'
  ➜ Skipping stray line: 'Phillips, Dedra; M.A., Colorado Technical University'
  ➜ Skipping stray line: 'Potter, Christine; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Quintela, Melissa; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Radosavljevic, Alexander; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Redden, Cameron; MAT, Baldwin Wallace University'
  ➜ Skipping stray line: 'Redkey, Elizabeth; Ph.D., University at Albany, State University of New York'
  ➜ Skipping stray line: 'Remington, Theodore; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Rhodes, Kristofer; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Robinson, Ami; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Robinson, Jeffery; Ph.D., Drew University'
  ➜ Skipping stray line: 'Rosenblatt, Heather; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Rossi, Cynthia; Ph.D., University of Maryland'
  ➜ Skipping stray line: 'Saddler, Derrick; Ph.D., University of South Florida'
  ➜ Skipping stray line: 'Sanchez, Melvin; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Scheg, Abigail; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Scheib, Douglas; Ph.D., University of Miami'
  ➜ Skipping stray line: 'Scotece, Shannon; Ph.D., State University of New York - Albany'
  ➜ Skipping stray line: 'Shahi, Kimberley; Ph.D., University of Texas at Arlington'
  ➜ Skipping stray line: 'Sharpe, Robert; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Shimotsu-Dariol, Stephanie; Ph.D., West Virginia University'
  ➜ Skipping stray line: 'Simeon, Patricia; Ed.D., Grambling State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 178'
  ➜ Skipping stray line: 'Simmons, Nathaniel; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Smith, Tommie; MBA, Middle Tennessee State University'
  ➜ Skipping stray line: 'Springfield, Derriell; Ed.D., East Tennessee State University'
  ➜ Skipping stray line: 'St Martin, Ashley; M.S., University of Vermont'
  ➜ Skipping stray line: 'Stambaugh, Nathaniel; Ph.D., Brandeis University'
  ➜ Skipping stray line: 'Starr, Neil; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Timmer, Kristin; Ph.D., University of Tennessee Health Science Center'
  ➜ Skipping stray line: 'Tolin Schultz, Alexandra; Ph.D., Stony Brook University'
  ➜ Skipping stray line: 'Tucker, Diana; Ph.D., Southern Illinois University Carbondale'
  ➜ Skipping stray line: 'Tweedy, Joanna; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Verber, Jason; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Vida, Anna; M.A., Arizona State University'
  ➜ Skipping stray line: 'Walker, Hope; M.A., The American University'
  ➜ Skipping stray line: 'Weaver, Matthew; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Webb, James; M.A., Pacific University'
  ➜ Skipping stray line: 'Wellinghoff, Lisa; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Westmoreland, Brandi; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Whitson-Whennen, Tonya; M.M., University of Utah'
  ➜ Skipping stray line: 'Woolridge, Mary; Ph.D., University of Central Florida'
  ➜ Skipping stray line: 'Young, Michael; Ph.D., University of Missouri at Saint Louis'
  ➜ Skipping stray line: 'Zasadny, Jill; Ph.D., Kansas University'
  ➜ Skipping stray line: 'Teachers College'
  ➜ Skipping stray line: 'Aafif, Amal; Ph.D., Drexel University'
  ➜ Skipping stray line: 'Affleck, Alisa; M.A., Western Governors University'
  ➜ Skipping stray line: 'Allen, Elizabeth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Aranda, Christina; M.A., University of Utah'
  ➜ Skipping stray line: 'Aufderhaar, Carolyn; Ed.D., University of Cincinnati'
  ➜ Skipping stray line: 'Baxter, Marissa; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Belchik-Moser, Sara; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Betts, Anastasia; Ph.D., Regent University'
  ➜ Skipping stray line: 'Blanks, Dorothy; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Boen, Laurie; Ph.D., University of Arkansas'
  ➜ Skipping stray line: 'Boyd-Bradwell, Natasha; Ph.D., Capella University'
  ➜ Skipping stray line: 'Branan, Daniel; Ph.D., University of Denver'
  ➜ Skipping stray line: 'Branch, Leah; Ed.D., Bethel University'
  ➜ Skipping stray line: 'Brogan, Lynn; Ed.D., Columbia University'
  ➜ Skipping stray line: 'Brooks, Marlaina; Ed.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Calero, Lisa; Ph.D., Capella University'
  ➜ Skipping stray line: 'Carey, Kimberly; Ph.D., Old Dominion University'
  ➜ Skipping stray line: 'Cartwright, Nancy; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'Cohen, Kimberley; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Constanza, Michele; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Covey, Nicole; Ed.D., University of Memphis'
  ➜ Skipping stray line: 'Douglas, Deanna; Ph.D., Wichita State University'
  ➜ Skipping stray line: 'Dove, Teresa; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Dukes, Debra; Ed.D., University of Georgia'
  ➜ Skipping stray line: 'Durakiewicz, Anna; M.S., University of Marie Curie'
  ➜ Skipping stray line: 'Eisenhour, Melanie; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Feng, Suiping; Ph.D., City University of New York'
  ➜ Skipping stray line: 'Fillpot, Elsie; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Flavin, Kathryn; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Flores, Alberto; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Francis, David; M.A., Western Governors University'
  ➜ Skipping stray line: 'Giddens, Evelyn; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gillman, Brenna; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Gray-Dowdy, Audra; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Hall, Robert; Ph.D., Capella University'
  ➜ Skipping stray line: 'Halverson, Colleen; Ph.D., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Harbin, Lesley; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 179'
  ➜ Skipping stray line: 'Hardin, Bridgette; Ed.D., Texas A&M University-Corpus Christi'
  ➜ Skipping stray line: 'Hedman, Shawn; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Henry, Joanna; M.E., Lamar University'
  ➜ Skipping stray line: 'Hernandez, Julie; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Hiebel, Adam; Ed.D., Ohio University'
  ➜ Skipping stray line: 'Hudon-Miller, Sarah; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Hughes, Amy; Ed.D., University of Montana'
  ➜ Skipping stray line: 'Hutson, Tommye; Ed.D., Baylor University'
  ➜ Skipping stray line: 'Igbinoba-Cummings, Monique; Ph.D., Lynn University'
  ➜ Skipping stray line: 'Izumi, Alisa; Ed.D., University of Massachusetts'
  ➜ Skipping stray line: 'Jacobs, Patricia; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Janitzki, Dean; M.A., University of Toledo'
  ➜ Skipping stray line: 'Johnson, Sherri; Ph.D., Capella University'
  ➜ Skipping stray line: 'Jovic, Marko; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Kain, Meri; Ed.D., University of Missouri'
  ➜ Skipping stray line: 'Kelly, Gretchen; Ed.D., Walden University'
  ➜ Skipping stray line: 'Leinbach, William; Ed.D., Oregon State University'
  ➜ Skipping stray line: 'Lindemann, Steven; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Linkenhoker, Dina; Ed.D., Liberty University'
  ➜ Skipping stray line: 'Lipscomb, Pauline; Ed.D., University of the Cumberlands'
  ➜ Skipping stray line: 'Luster, Sandricia; Ed.S., Argosy University'
  ➜ Skipping stray line: 'McCarver, Patricia; Ph.D., California Institute of Integral Studies'
  ➜ Skipping stray line: 'McDaniel, Maryann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'McGrath Hovland, Michelle; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Mendes, John; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Miller, Esther; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Mills, Ginger; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Moore, Tontaleya; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Morgan, Matthew; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Mour, Jennifer; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Murray, Mary; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Obianyo, Obiamaka; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Odom, M. Katherine; Ph.D., University of South Alabama'
  ➜ Skipping stray line: 'O’Malley, Maureen; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Pack, Mamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Parry, Kelly; Ph.D., University of North Texas'
  ➜ Skipping stray line: 'Purnell, Courtney; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Quinn, Lori; M.A.Ed., Prairie View A&M University'
  ➜ Skipping stray line: 'Rahsaz, Jacqueline; M.A., University of California San Diego'
  ➜ Skipping stray line: 'Randonis, Jennifer; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Rawson, Robert; Ph.D., University of Texas Southwestern'
  ➜ Skipping stray line: 'Richen, Damara; Ed.D., Fielding Graduate University'
  ➜ Skipping stray line: 'Robles, Veronica; Ed.D., Arizona State University'
  ➜ Skipping stray line: 'Rogers, Carmelle; Ph.D., Kansas State University'
  ➜ Skipping stray line: 'Russell-Fry, Nancy; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Scales, Rebecca; M.A., Western Governors University'
  ➜ Skipping stray line: 'Schmidt, Stan; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Sepetys, Peggy; Ed.D., University of Michigan'
  ➜ Skipping stray line: 'Shrader, Vincent; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Silver, Jennifer; Ph.D., New York University'
  ➜ Skipping stray line: 'Sims, Rachel; Ed.D., Walden University'
  ➜ Skipping stray line: 'Smith, Janeal; Ph.D., Walden University'
  ➜ Skipping stray line: 'Spencer, Kristin; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Story, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Swenson, Karl; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Thompson, Julie; Ph.D., University of Rochester'
  ➜ Skipping stray line: 'Traub-Metlay, Suzanne; Ph.D., University of Pittsburg'
  ➜ Skipping stray line: 'Tresnak, Robyn; Ph.D., Walden University'
  ➜ Skipping stray line: 'Turner, Carmen; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Vickers, Paul; Ed.D., Stephen F. Austin State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 180'
  ➜ Skipping stray line: 'Walter-Sullivan, Earnestyne; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'Weinstein, Gideon; Ph.D., Indiana University Bloomington'
  ➜ Skipping stray line: 'Whitmire, Jane; Ph.D., University of Montana'
  ➜ Skipping stray line: 'Willey-Rendon, Ruby; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Williams, Lacey; Ed.D., Union Institute and University'
  ➜ Skipping stray line: 'Wisnosky, Marc; Ph.D., University of Pittsburgh'
  ➜ Skipping stray line: 'Yanusheva, Lidiya; Ed.D., Walden University'
  ➜ Skipping stray line: 'Yatherajam, Gayatri; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Zartman, Krista; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Zimmerli, Mandy; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'College of Business'
  ➜ Skipping stray line: 'Abubakari, Nina; J.D., Wayne State University'
  ➜ Skipping stray line: 'Adler, Kathleen; Ph.D., Southern Methodist University'
  ➜ Skipping stray line: 'Alafita, Theresa; Ph.D., George Washington University'
  ➜ Skipping stray line: 'Arenz, Russell; Ph.D., Colorado Technical University'
  ➜ Skipping stray line: 'Argiento, Steven; J.D., Pace University'
  ➜ Skipping stray line: 'Austin, Judy; MBA, Western Governors University'
  ➜ Skipping stray line: 'Baragoshi, Behroz; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Barton, Robert; Ed.S., Utah State University'
  ➜ Skipping stray line: 'Black, Hilda; Ph.D., Louisiana Tech University'
  ➜ Skipping stray line: 'Borch, Casey; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Boysen-Rotelli, Sheila; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Brownstein, Steven; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Carson, Pook; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Cassell, Kenneth; MBA, San Jose State University'
  ➜ Skipping stray line: 'Cherry, Patricia; Ph.D., Capella University'
  ➜ Skipping stray line: 'Clarke, Jeffrey; Ph.D., University of California-Los Angeles'
  ➜ Skipping stray line: 'Connor, Martin; J.D., University of North Dakota'
  ➜ Skipping stray line: 'Davis, Lorretta; Ph.D., Capella University'
  ➜ Skipping stray line: 'Davis, Mary; Ed.D., Central Michigan University'
  ➜ Skipping stray line: 'Doctorman, Lindsey; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Doren, Andrew; D.M., University of Maryland'
  ➜ Skipping stray line: 'Dula, Kimberly; Ph.D., Mercer University'
  ➜ Skipping stray line: 'Duran, Anthony; DBA, Grand Canyon University'
  ➜ Skipping stray line: 'Ennis, Erica; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Etter, Edwin; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Feehery, George; DBA, Nova Southeastern University'
  ➜ Skipping stray line: 'Fisher, Paul; Ph.D., Oregon State University'
  ➜ Skipping stray line: 'Gallo, Merry; DBA, Argosy University'
  ➜ Skipping stray line: 'Garland, Jennifer; DBA, Keiser University'
  ➜ Skipping stray line: 'Geddes, Bruce; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gilyot, Bianca; MBA, Northcentral University'
  ➜ Skipping stray line: 'Giscombe, Hilbert; DBA, Argosy University'
  ➜ Skipping stray line: 'Gough, Gregory; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Green, Maurice; Ph.D., University at Albany – State University of New York'
  ➜ Skipping stray line: 'Gunn, Linda; Ph.D., Union Institute and University'
  ➜ Skipping stray line: 'Havins, Merwin; Ed.D., Northern Arizona University'
  ➜ Skipping stray line: 'Heinzman, Joseph; DM, Colorado Technical University'
  ➜ Skipping stray line: 'Hon, Charles; Ph.D., Capella University'
  ➜ Skipping stray line: 'Hudson, Brandi; J.D., Regent University'
  ➜ Skipping stray line: 'Iannucci, Brian; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Imboden, Paul; DBA., Northcentral University'
  ➜ Skipping stray line: 'Jividen, Jim; J.D., Ohio Northern University'
  ➜ Skipping stray line: 'Jones, Alan; MBA, Dartmouth College'
  ➜ Skipping stray line: 'Justice, Jeanne; DBA, Walden University'
  ➜ Skipping stray line: 'Kale, Mrinalini; Ph.D., Capella University'
  ➜ Skipping stray line: 'Kenny, Timothy; M.S., Regis University'
  ➜ Skipping stray line: 'Kowalski, Christine; Ed.D., National Louis University'
  ➜ Skipping stray line: 'Kushniroff, Melinda; Ed.D., Liberty University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 181'
  ➜ Skipping stray line: 'La Hay, Ann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Lagroue, Harold; Ph.D., Louisiana State University'
  ➜ Skipping stray line: 'Lamer, Maryann; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Langdon, Debra; MBA, Denver University'
  ➜ Skipping stray line: 'Lutter-Cooper, Victoria; Ph.D., Capella University'
  ➜ Skipping stray line: 'Marshall, Mario; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'McClesky, Jamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'McNulty, Peggy; Ph.D., University of Colorado-Colorado Springs'
  ➜ Skipping stray line: 'Melton, Rebecca; Ph.D., Chicago School of Professional Psychology'
  ➜ Skipping stray line: 'Mills, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Moore, Detria; J.D., Liberty University'
  ➜ Skipping stray line: 'Neely, Cecil; MBA, University of North Carolina at Greensboro'
  ➜ Skipping stray line: 'Nelms, Linda; Ph.D., Capella University'
  ➜ Skipping stray line: 'Nelson, Camille; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'O’Brien, Joseph; Ed.D., George Washington University'
  ➜ Skipping stray line: 'Openshaw, Matthew; Ph.D., University of Texas at Dallas'
  ➜ Skipping stray line: 'Parish, Beth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Patterson, Julie; Ph.D., University of Illinois at Urbana-Champaign'
  ➜ Skipping stray line: 'Pawarski, Richard; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Phillips, Patti; J.D., Stetson University'
  ➜ Skipping stray line: 'Pratt, Christopher; DHA, University of Phoenix'
  ➜ Skipping stray line: 'Raimo, Steve; DSL, Regent University'
  ➜ Skipping stray line: 'Richardson, Shay; DBA, Walden University'
  ➜ Skipping stray line: 'Roberts, Tracia; M.S., University of Phoenix'
  ➜ Skipping stray line: 'Roberts, Wade; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Rogers, Katie; MBA, University of Utah'
  ➜ Skipping stray line: 'Sawant, Gauri; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Shah, Rob; MBA, DeVry University'
  ➜ Skipping stray line: 'Shepherd, Tracie; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Skinner, Susan; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Snipes, Dawna; J.D., Western Michigan University'
  ➜ Skipping stray line: 'Souder, Michele; MBA, University of Dayton'
  ➜ Skipping stray line: 'Spicer, Ronald; Ph.D., Capella University'
  ➜ Skipping stray line: 'Stewart, Michelle; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Strickland, Cynthia; Ph.D., Touro University International'
  ➜ Skipping stray line: 'Swarthout, Nanette; MBA, Fontbonne University'
  ➜ Skipping stray line: 'Tapp, Timothy; MHA, Washington University'
  ➜ Skipping stray line: 'Thomas, Melanie; J.D., University of North Carolina'
  ➜ Skipping stray line: 'Venkateswar, Sankaran; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Wachter, Eddie; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Wade, Keith; MBA, University of Detroit'
  ➜ Skipping stray line: 'Walker, Natalie; DBA, Keiser University'
  ➜ Skipping stray line: 'Wang, Xiaofei; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Williams, Pegeen; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Williams, Rian; MPA, University of Utah'
  ➜ Skipping stray line: 'Wood, Carrie; M.S., Strayer University'
  ➜ Skipping stray line: 'College of Information Technology'
  ➜ Skipping stray line: 'Al-Husaam, Abdul; Ph.D., Capella University'
  ➜ Skipping stray line: 'Alberici, Mary; Ph.D., University of Missouri-St. Louis'
  ➜ Skipping stray line: 'Allen, Candice; M.A., Capella University'
  ➜ Skipping stray line: 'Antonucci, Amy; M.S., University of Delaware'
  ➜ Skipping stray line: 'Banerjee, Pubali; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'Beverley, Charles; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Blanson, Constance; Ph.D., Capella University'
  ➜ Skipping stray line: 'Bojonny, John; M.S., Marywood University'
  ➜ Skipping stray line: 'Borsum, Pamela; MBA, Western Governors University'
  ➜ Skipping stray line: 'Campbell, Wendy; DBA, Northcentral University'
  ➜ Skipping stray line: 'Carter, Betty; M.S., Troy University'
  ➜ Skipping stray line: 'Cobbs, Dana; M.S., College of William and Mary'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 182'
  ➜ Skipping stray line: 'Cook, Henry; M.S., Clark Atlanta University'
  ➜ Skipping stray line: 'Crawford, Demetria; M.S., Boston University'
  ➜ Skipping stray line: 'Dupree, Yolanda; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Farmer, Jaynee; M.A., University of Arkansas at Little Rock'
  ➜ Skipping stray line: 'Ferdinand, Jeff; M.S., Trident University International'
  ➜ Skipping stray line: 'Gardner, Diana; MBA, Western Governors University'
  ➜ Skipping stray line: 'Garza, Brian; M.S., Western Governors University'
  ➜ Skipping stray line: 'Goodwin, Orenthio; Ph.D., Capella University'
  ➜ Skipping stray line: 'Heiner, Jenny; M.S., Capitol College'
  ➜ Skipping stray line: 'Huff, David; Ph.D., Wayne State University'
  ➜ Skipping stray line: 'Jensen, Bryan; M.S., Bellvue University'
  ➜ Skipping stray line: 'Kercher, Paul; M.S., Missouri University of Science and Technology'
  ➜ Skipping stray line: 'LaMolinare, Deana; M.S., Duquesne University'
  ➜ Skipping stray line: 'Lang, Cythia; MSCHe, University of Maryland'
  ➜ Skipping stray line: 'Lavieri, Edward; DCS, Colorado Technical University'
  ➜ Skipping stray line: 'Light, Gerri; M.S., Walden University'
  ➜ Skipping stray line: 'Lively, Charles; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'McFarlane, Michele; M.S., DeVry University'
  ➜ Skipping stray line: 'McLaughlin, Mike; M.S., University of Maine'
  ➜ Skipping stray line: 'Mendell, Ronald; M.S., Capitol College'
  ➜ Skipping stray line: 'Milham, Thomas; MNCM, DeVry University'
  ➜ Skipping stray line: 'Moore, Ronald; M.A., Troy University'
  ➜ Skipping stray line: 'Morrill, Ralph; Ph.D., North Central University'
  ➜ Skipping stray line: 'Ntinglet-Davis, Emelda; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Ozmer, Connie; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Paddock, Charles; Ph.D., University of Houston'
  ➜ Skipping stray line: 'Peterson, Michael; Ph.D., Capella University'
  ➜ Skipping stray line: 'Pinaire, Ken; MBA, University of Texas at Dallas'
  ➜ Skipping stray line: 'Rawlinson, David; J.D., South Texas College of Law'
  ➜ Skipping stray line: 'Schaefer, Brett; MBA, DeVry University'
  ➜ Skipping stray line: 'Shenk, Maria; M.S., City University of Seattle'
  ➜ Skipping stray line: 'Scutro, Rebecca; M.S., Saint Joseph’s University'
  ➜ Skipping stray line: 'Sewell, William; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Sher-DeCusatis, Carolyn; M.A., State University of New York at Stony Brook'
  ➜ Skipping stray line: 'Shields, Jessica; MFA, Savannah College of Art and Design'
  ➜ Skipping stray line: 'Sistelos, Antonio; Ph.D., Indiana State University'
  ➜ Skipping stray line: 'Stromberg, Scott; M.S., Nova Southeastern University'
  ➜ Skipping stray line: 'Swanson, Tom; Ph.D., Capella University'
  ➜ Skipping stray line: 'Taylor, Julinda; M.S., Wichita State University'
  ➜ Skipping stray line: 'Travis, Susan; M.A., University of Phoenix'
  ➜ Skipping stray line: 'College of Health Professions'
  ➜ Skipping stray line: 'Abdur-Rahman, Veronica; Ph.D., Texas Woman’s University'
  ➜ Skipping stray line: 'Abee, Debra; M.S., University of North Carolina Greensboro'
  ➜ Skipping stray line: 'Abraham, Gail; MSN/ED, University of Phoenix'
  ➜ Skipping stray line: 'Adams, Lora; M.S., Michigan State University'
  ➜ Skipping stray line: 'Adkins, Dee; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Allen, Juanita; DNP, University of Utah'
  ➜ Skipping stray line: 'Ashby, Shelley; DNP, University of Southern Indiana'
  ➜ Skipping stray line: 'Austgen, Donna; M.S., University of Indianapolis'
  ➜ Skipping stray line: 'Barber, Kendar; M.S., Indiana University'
  ➜ Skipping stray line: 'Battle, Linda; DNP, Regis College'
  ➜ Skipping stray line: 'Benoit, Heidi; M.S., Western Governors University'
  ➜ Skipping stray line: 'Benson, Johnett; DNP, Kent State University'
  ➜ Skipping stray line: 'Bergfeld, Marcia; M.S., Lourdes College'
  ➜ Skipping stray line: 'Berndt, Janeen; DNP, Valparaiso University'
  ➜ Skipping stray line: 'Blaine, Stephanie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Cain, Lyn; Ph.D., Grand Canyon University'
  ➜ Skipping stray line: 'Carney, Mary; DNP, Touro University – Nevada'
  ➜ Skipping stray line: 'Chau-Nguyen, Thao; MPH, Tulane University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 183'
  ➜ Skipping stray line: 'Cleveland, Melissa; DNP, Rocky Mountain University'
  ➜ Skipping stray line: 'Cloonan, Kelly; DNP, Case Western Reserve'
  ➜ Skipping stray line: 'Dahdal, Kimberly; M.S., Western Governors University'
  ➜ Skipping stray line: 'Dantzler, Barbara; Ph.D., Trident University'
  ➜ Skipping stray line: 'Diaz, Constance; Ph.D., University of Northern Colorado'
  ➜ Skipping stray line: 'Diaz, Lorna; DNP, Western University of Health Sciences'
  ➜ Skipping stray line: 'Dorin, Michelle; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Dush, Curtis; M.S., East Tennessee State University'
  ➜ Skipping stray line: 'Elmer, Justine; M.S., Kaplan University'
  ➜ Skipping stray line: 'Englert, Mary; DNP, University of North Florida'
  ➜ Skipping stray line: 'Feather, Rebecca; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Frankie, Sandra; M.S., Western Governors University'
  ➜ Skipping stray line: 'Gabel, Ann; M.S., University of Kansas'
  ➜ Skipping stray line: 'Gayol, Marcos; M.S., Aspen University'
  ➜ Skipping stray line: 'Giaquinto, Elisa; M.A., Brown University'
  ➜ Skipping stray line: 'Gogatz, Debra; DNP, Regis University'
  ➜ Skipping stray line: 'Golden, Christina; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Gottesfeld, Ilene; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Gwyn, Elizabeth; M.S., Winston Salem State University'
  ➜ Skipping stray line: 'Hadsell, Christine; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Hansen, Julie; Ph.D., South Dakota State University'
  ➜ Skipping stray line: 'Hartley-Clanton, Patricia; M.S., University of Utah'
  ➜ Skipping stray line: 'Hawkins, Shannon; M.S., Walden University'
  ➜ Skipping stray line: 'Heyer-Schmidt, Theres-Anne; ND, University of Colorado-Denver'
  ➜ Skipping stray line: 'Hill, Dana; Ph.D., Walden University'
  ➜ Skipping stray line: 'Hunt, Eleanor; M.S., Duke University'
  ➜ Skipping stray line: 'Johnson-Anderson, Heidi; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Kangas, Sandra; Ph.D., Georgia State University'
  ➜ Skipping stray line: 'Kogan, Lisa; M.S., Western Governors University'
  ➜ Skipping stray line: 'Langer Atkinson, Heidi; Ph.D., University of Albany'
  ➜ Skipping stray line: 'Lashlee, Marilyn; DNP, Northeastern University'
  ➜ Skipping stray line: 'Long, Jennifer; M.S., Indiana University'
  ➜ Skipping stray line: 'Marshall, Janet; Ph.D., Rush University'
  ➜ Title candidate: 'Masterson, Debra; Ed.D., Liberty University'
  ✔️ Collected description (40 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 6442: 'C845 - Information Systems Security - IT security professionals must be prepared for the operational demands and responsibilities of security'

🔍 parse_program: starting at line 6442: 'C845 - Information Systems Security - IT security professionals must be prepared for the operational demands and responsibilities of security'
  ➜ Title candidate: 'C845 - Information Systems Security - IT security professionals must be prepared for the operational demands and responsibilities of security'
  ❌ Invalid title line: 'C845 - Information Systems Security - IT security professionals must be prepared for the operational demands and responsibilities of security'
  ➜ Parsing at 6443: 'practitioners, including authentication, security testing, intrusion detection and prevention, incident response and recovery, attacks and'

🔍 parse_program: starting at line 6443: 'practitioners, including authentication, security testing, intrusion detection and prevention, incident response and recovery, attacks and'
  ➜ Title candidate: 'practitioners, including authentication, security testing, intrusion detection and prevention, incident response and recovery, attacks and'
  ❌ Invalid title line: 'practitioners, including authentication, security testing, intrusion detection and prevention, incident response and recovery, attacks and'
  ➜ Parsing at 6444: 'countermeasures, cryptography, and malicious code countermeasures. This course provides a comprehensive, up-to-date global body of knowledge'

🔍 parse_program: starting at line 6444: 'countermeasures, cryptography, and malicious code countermeasures. This course provides a comprehensive, up-to-date global body of knowledge'
  ➜ Title candidate: 'countermeasures, cryptography, and malicious code countermeasures. This course provides a comprehensive, up-to-date global body of knowledge'
  ❌ Invalid title line: 'countermeasures, cryptography, and malicious code countermeasures. This course provides a comprehensive, up-to-date global body of knowledge'
  ➜ Parsing at 6445: 'that ensures students have the right information security knowledge and skills to be successful in IT operational roles to mitigate security concerns and'

🔍 parse_program: starting at line 6445: 'that ensures students have the right information security knowledge and skills to be successful in IT operational roles to mitigate security concerns and'
  ➜ Title candidate: 'that ensures students have the right information security knowledge and skills to be successful in IT operational roles to mitigate security concerns and'
  ❌ Invalid title line: 'that ensures students have the right information security knowledge and skills to be successful in IT operational roles to mitigate security concerns and'
  ➜ Parsing at 6446: 'guard against the impact of malicious activity. Students demonstrate how to manage and restrict access control systems; administer policies,'

🔍 parse_program: starting at line 6446: 'guard against the impact of malicious activity. Students demonstrate how to manage and restrict access control systems; administer policies,'
  ➜ Title candidate: 'guard against the impact of malicious activity. Students demonstrate how to manage and restrict access control systems; administer policies,'
  ❌ Invalid title line: 'guard against the impact of malicious activity. Students demonstrate how to manage and restrict access control systems; administer policies,'
  ➜ Parsing at 6447: 'procedures, and guidelines that are ethical and compliant with laws and regulations; implement risk management and incident handling processes;'

🔍 parse_program: starting at line 6447: 'procedures, and guidelines that are ethical and compliant with laws and regulations; implement risk management and incident handling processes;'
  ➜ Title candidate: 'procedures, and guidelines that are ethical and compliant with laws and regulations; implement risk management and incident handling processes;'
  ❌ Invalid title line: 'procedures, and guidelines that are ethical and compliant with laws and regulations; implement risk management and incident handling processes;'
  ➜ Parsing at 6448: 'execute cryptographic systems to protect data; manage network security; and analyze common attack vectors and countermeasures to assure'

🔍 parse_program: starting at line 6448: 'execute cryptographic systems to protect data; manage network security; and analyze common attack vectors and countermeasures to assure'
  ➜ Title candidate: 'execute cryptographic systems to protect data; manage network security; and analyze common attack vectors and countermeasures to assure'
  ❌ Invalid title line: 'execute cryptographic systems to protect data; manage network security; and analyze common attack vectors and countermeasures to assure'
  ➜ Parsing at 6449: 'information integrity and confidentiality in various systems. This course prepares students for the Systems Security Certified Practitioner (ISC2 SSCP)'

🔍 parse_program: starting at line 6449: 'information integrity and confidentiality in various systems. This course prepares students for the Systems Security Certified Practitioner (ISC2 SSCP)'
  ➜ Title candidate: 'information integrity and confidentiality in various systems. This course prepares students for the Systems Security Certified Practitioner (ISC2 SSCP)'
  ❌ Invalid title line: 'information integrity and confidentiality in various systems. This course prepares students for the Systems Security Certified Practitioner (ISC2 SSCP)'
  ➜ Parsing at 6450: 'certification exam.'

🔍 parse_program: starting at line 6450: 'certification exam.'
  ➜ Title candidate: 'certification exam.'
  ❌ Invalid title line: 'certification exam.'
  ➜ Parsing at 6451: 'C846 - Business of IT - Applications - Business of IT – Applications examines Information Technology Infrastructure Library ( ITIL®) terminology,'

🔍 parse_program: starting at line 6451: 'C846 - Business of IT - Applications - Business of IT – Applications examines Information Technology Infrastructure Library ( ITIL®) terminology,'
  ➜ Title candidate: 'C846 - Business of IT - Applications - Business of IT – Applications examines Information Technology Infrastructure Library ( ITIL®) terminology,'
  ❌ Invalid title line: 'C846 - Business of IT - Applications - Business of IT – Applications examines Information Technology Infrastructure Library ( ITIL®) terminology,'
  ➜ Parsing at 6452: 'structure, policies, and concepts. Focusing on the management of Information Technology (IT) infrastructure, development, and operations, students'

🔍 parse_program: starting at line 6452: 'structure, policies, and concepts. Focusing on the management of Information Technology (IT) infrastructure, development, and operations, students'
  ➜ Title candidate: 'structure, policies, and concepts. Focusing on the management of Information Technology (IT) infrastructure, development, and operations, students'
  ❌ Invalid title line: 'structure, policies, and concepts. Focusing on the management of Information Technology (IT) infrastructure, development, and operations, students'
  ➜ Parsing at 6453: 'will explore the core principles of ITIL practices for service management to prepare them for careers as IT professionals, business managers, and'

🔍 parse_program: starting at line 6453: 'will explore the core principles of ITIL practices for service management to prepare them for careers as IT professionals, business managers, and'
  ➜ Title candidate: 'will explore the core principles of ITIL practices for service management to prepare them for careers as IT professionals, business managers, and'
  ❌ Invalid title line: 'will explore the core principles of ITIL practices for service management to prepare them for careers as IT professionals, business managers, and'
  ➜ Parsing at 6454: 'business process owners. This course has no prerequisites.'

🔍 parse_program: starting at line 6454: 'business process owners. This course has no prerequisites.'
  ➜ Title candidate: 'business process owners. This course has no prerequisites.'
  ❌ Invalid title line: 'business process owners. This course has no prerequisites.'
  ➜ Parsing at 6455: 'C847 - Fundamentals of Diversity, Inclusion, and Exceptional Learners - Students will learn the history of inclusion and develop practical'

🔍 parse_program: starting at line 6455: 'C847 - Fundamentals of Diversity, Inclusion, and Exceptional Learners - Students will learn the history of inclusion and develop practical'
  ➜ Title candidate: 'C847 - Fundamentals of Diversity, Inclusion, and Exceptional Learners - Students will learn the history of inclusion and develop practical'
  ❌ Invalid title line: 'C847 - Fundamentals of Diversity, Inclusion, and Exceptional Learners - Students will learn the history of inclusion and develop practical'
  ➜ Parsing at 6456: 'strategies for modifying instruction, in accordance with legal expectations, to meet the needs of a diverse population of learners. This population'

🔍 parse_program: starting at line 6456: 'strategies for modifying instruction, in accordance with legal expectations, to meet the needs of a diverse population of learners. This population'
  ➜ Title candidate: 'strategies for modifying instruction, in accordance with legal expectations, to meet the needs of a diverse population of learners. This population'
  ❌ Invalid title line: 'strategies for modifying instruction, in accordance with legal expectations, to meet the needs of a diverse population of learners. This population'
  ➜ Parsing at 6457: 'includes learners with disabilities, gifted and talented learners, culturally diverse learners, and English language learners.'

🔍 parse_program: starting at line 6457: 'includes learners with disabilities, gifted and talented learners, culturally diverse learners, and English language learners.'
  ➜ Title candidate: 'includes learners with disabilities, gifted and talented learners, culturally diverse learners, and English language learners.'
  ❌ Invalid title line: 'includes learners with disabilities, gifted and talented learners, culturally diverse learners, and English language learners.'
  ➜ Parsing at 6458: 'C848 - Fundamentals of Diversity, Inclusion, and Exceptional Learners - Students will learn the history of inclusion and develop practical'

🔍 parse_program: starting at line 6458: 'C848 - Fundamentals of Diversity, Inclusion, and Exceptional Learners - Students will learn the history of inclusion and develop practical'
  ➜ Title candidate: 'C848 - Fundamentals of Diversity, Inclusion, and Exceptional Learners - Students will learn the history of inclusion and develop practical'
  ❌ Invalid title line: 'C848 - Fundamentals of Diversity, Inclusion, and Exceptional Learners - Students will learn the history of inclusion and develop practical'
  ➜ Parsing at 6459: 'strategies for modifying instruction, in accordance with legal expectations, to meet the needs of a diverse population of learners. This population'

🔍 parse_program: starting at line 6459: 'strategies for modifying instruction, in accordance with legal expectations, to meet the needs of a diverse population of learners. This population'
  ➜ Title candidate: 'strategies for modifying instruction, in accordance with legal expectations, to meet the needs of a diverse population of learners. This population'
  ❌ Invalid title line: 'strategies for modifying instruction, in accordance with legal expectations, to meet the needs of a diverse population of learners. This population'
  ➜ Parsing at 6460: 'includes learners with disabilities, gifted and talented learners, culturally diverse learners, and English language learners.'

🔍 parse_program: starting at line 6460: 'includes learners with disabilities, gifted and talented learners, culturally diverse learners, and English language learners.'
  ➜ Title candidate: 'includes learners with disabilities, gifted and talented learners, culturally diverse learners, and English language learners.'
  ❌ Invalid title line: 'includes learners with disabilities, gifted and talented learners, culturally diverse learners, and English language learners.'
  ➜ Parsing at 6461: 'C853 - Teacher Performance Assessment in English - The Teacher Performance Assessment serves as the final, culminating project in your'

🔍 parse_program: starting at line 6461: 'C853 - Teacher Performance Assessment in English - The Teacher Performance Assessment serves as the final, culminating project in your'
  ➜ Title candidate: 'C853 - Teacher Performance Assessment in English - The Teacher Performance Assessment serves as the final, culminating project in your'
  ❌ Invalid title line: 'C853 - Teacher Performance Assessment in English - The Teacher Performance Assessment serves as the final, culminating project in your'
  ➜ Parsing at 6462: 'degree program. It is a formal, scholarly piece of work. You are required to design and develop a two-week-long (minimum), standards-based'

🔍 parse_program: starting at line 6462: 'degree program. It is a formal, scholarly piece of work. You are required to design and develop a two-week-long (minimum), standards-based'
  ➜ Title candidate: 'degree program. It is a formal, scholarly piece of work. You are required to design and develop a two-week-long (minimum), standards-based'
  ❌ Invalid title line: 'degree program. It is a formal, scholarly piece of work. You are required to design and develop a two-week-long (minimum), standards-based'
  ➜ Parsing at 6463: 'curriculum unit. You will then implement (i.e., teach) the unit in your classroom and gather data as to its effectiveness.'

🔍 parse_program: starting at line 6463: 'curriculum unit. You will then implement (i.e., teach) the unit in your classroom and gather data as to its effectiveness.'
  ➜ Title candidate: 'curriculum unit. You will then implement (i.e., teach) the unit in your classroom and gather data as to its effectiveness.'
  ❌ Invalid title line: 'curriculum unit. You will then implement (i.e., teach) the unit in your classroom and gather data as to its effectiveness.'
  ➜ Parsing at 6464: 'C860 - Innovation Project - This course explores healthcare innovation by having you compare examples, apply concepts, perform research and'

🔍 parse_program: starting at line 6464: 'C860 - Innovation Project - This course explores healthcare innovation by having you compare examples, apply concepts, perform research and'
  ➜ Title candidate: 'C860 - Innovation Project - This course explores healthcare innovation by having you compare examples, apply concepts, perform research and'
  ❌ Invalid title line: 'C860 - Innovation Project - This course explores healthcare innovation by having you compare examples, apply concepts, perform research and'
  ➜ Parsing at 6465: 'analysis, and create original work. You will complete and submit an Innovation proposal form describing a new technology to decrease clinic wait'

🔍 parse_program: starting at line 6465: 'analysis, and create original work. You will complete and submit an Innovation proposal form describing a new technology to decrease clinic wait'
  ➜ Title candidate: 'analysis, and create original work. You will complete and submit an Innovation proposal form describing a new technology to decrease clinic wait'
  ❌ Invalid title line: 'analysis, and create original work. You will complete and submit an Innovation proposal form describing a new technology to decrease clinic wait'
  ➜ Parsing at 6466: 'times.'

🔍 parse_program: starting at line 6466: 'times.'
  ➜ Title candidate: 'times.'
  ❌ Invalid title line: 'times.'
  ➜ Parsing at 6467: 'C861 - Healthcare Systems Project - You will explore healthcare systems by evaluating the needs of a group medical center to expand care to a'

🔍 parse_program: starting at line 6467: 'C861 - Healthcare Systems Project - You will explore healthcare systems by evaluating the needs of a group medical center to expand care to a'
  ➜ Title candidate: 'C861 - Healthcare Systems Project - You will explore healthcare systems by evaluating the needs of a group medical center to expand care to a'
  ❌ Invalid title line: 'C861 - Healthcare Systems Project - You will explore healthcare systems by evaluating the needs of a group medical center to expand care to a'
  ➜ Parsing at 6468: 'growing population of underserved and underinsured patients. You will assess the value of affiliation with other providers and potential payers, analyze'

🔍 parse_program: starting at line 6468: 'growing population of underserved and underinsured patients. You will assess the value of affiliation with other providers and potential payers, analyze'
  ➜ Title candidate: 'growing population of underserved and underinsured patients. You will assess the value of affiliation with other providers and potential payers, analyze'
  ❌ Invalid title line: 'growing population of underserved and underinsured patients. You will assess the value of affiliation with other providers and potential payers, analyze'
  ➜ Parsing at 6469: 'several healthcare organizations as potential partners for affiliation, and determine what type of affiliation structure will best meet the needs of the'

🔍 parse_program: starting at line 6469: 'several healthcare organizations as potential partners for affiliation, and determine what type of affiliation structure will best meet the needs of the'
  ➜ Title candidate: 'several healthcare organizations as potential partners for affiliation, and determine what type of affiliation structure will best meet the needs of the'
  ❌ Invalid title line: 'several healthcare organizations as potential partners for affiliation, and determine what type of affiliation structure will best meet the needs of the'
  ➜ Parsing at 6470: 'medical center. This project culminates in the creation of a proposed “affiliation recommendation” that summarizes the assessment of three candidate'

🔍 parse_program: starting at line 6470: 'medical center. This project culminates in the creation of a proposed “affiliation recommendation” that summarizes the assessment of three candidate'
  ➜ Title candidate: 'medical center. This project culminates in the creation of a proposed “affiliation recommendation” that summarizes the assessment of three candidate'
  ❌ Invalid title line: 'medical center. This project culminates in the creation of a proposed “affiliation recommendation” that summarizes the assessment of three candidate'
  ➜ Parsing at 6471: 'organizations.'

🔍 parse_program: starting at line 6471: 'organizations.'
  ➜ Title candidate: 'organizations.'
  ❌ Invalid title line: 'organizations.'
  ➜ Parsing at 6472: 'C862 - Healthcare Quality Project - You will use Six Sigma principles and strategies, as well as other quality concepts (DMAIC), to address problems'

🔍 parse_program: starting at line 6472: 'C862 - Healthcare Quality Project - You will use Six Sigma principles and strategies, as well as other quality concepts (DMAIC), to address problems'
  ➜ Title candidate: 'C862 - Healthcare Quality Project - You will use Six Sigma principles and strategies, as well as other quality concepts (DMAIC), to address problems'
  ❌ Invalid title line: 'C862 - Healthcare Quality Project - You will use Six Sigma principles and strategies, as well as other quality concepts (DMAIC), to address problems'
  ➜ Parsing at 6473: 'of high patient wait times and poor physician communication at a highly functioning level 1 trauma center. You will develop a healthcare quality'

🔍 parse_program: starting at line 6473: 'of high patient wait times and poor physician communication at a highly functioning level 1 trauma center. You will develop a healthcare quality'
  ➜ Title candidate: 'of high patient wait times and poor physician communication at a highly functioning level 1 trauma center. You will develop a healthcare quality'
  ❌ Invalid title line: 'of high patient wait times and poor physician communication at a highly functioning level 1 trauma center. You will develop a healthcare quality'
  ➜ Parsing at 6474: 'improvement process that implements the five phases of a Six Sigma approach. You will also analyze challenges executives face in identifying,'

🔍 parse_program: starting at line 6474: 'improvement process that implements the five phases of a Six Sigma approach. You will also analyze challenges executives face in identifying,'
  ➜ Title candidate: 'improvement process that implements the five phases of a Six Sigma approach. You will also analyze challenges executives face in identifying,'
  ❌ Invalid title line: 'improvement process that implements the five phases of a Six Sigma approach. You will also analyze challenges executives face in identifying,'
  ➜ Parsing at 6475: 'synthesizing, and acting upon healthcare data to improve operations and patient-centered care.'

🔍 parse_program: starting at line 6475: 'synthesizing, and acting upon healthcare data to improve operations and patient-centered care.'
  ➜ Title candidate: 'synthesizing, and acting upon healthcare data to improve operations and patient-centered care.'
  ❌ Invalid title line: 'synthesizing, and acting upon healthcare data to improve operations and patient-centered care.'
  ➜ Parsing at 6476: 'C863 - Healthcare Financial Management Project - You will develop a value-based payment model and strategic implementation plan to provide'

🔍 parse_program: starting at line 6476: 'C863 - Healthcare Financial Management Project - You will develop a value-based payment model and strategic implementation plan to provide'
  ➜ Title candidate: 'C863 - Healthcare Financial Management Project - You will develop a value-based payment model and strategic implementation plan to provide'
  ❌ Invalid title line: 'C863 - Healthcare Financial Management Project - You will develop a value-based payment model and strategic implementation plan to provide'
  ➜ Parsing at 6477: 'high-quality, most cost-effective care to a high-risk patient population. The organization is currently not equipped to take on the risks inherent in the'

🔍 parse_program: starting at line 6477: 'high-quality, most cost-effective care to a high-risk patient population. The organization is currently not equipped to take on the risks inherent in the'
  ➜ Title candidate: 'high-quality, most cost-effective care to a high-risk patient population. The organization is currently not equipped to take on the risks inherent in the'
  ❌ Invalid title line: 'high-quality, most cost-effective care to a high-risk patient population. The organization is currently not equipped to take on the risks inherent in the'
  ➜ Parsing at 6478: 'population of Southern Florida. To create a successful plan, you will analyze and interpret data to determine the population's need and justify that their'

🔍 parse_program: starting at line 6478: 'population of Southern Florida. To create a successful plan, you will analyze and interpret data to determine the population's need and justify that their'
  ➜ Title candidate: 'population of Southern Florida. To create a successful plan, you will analyze and interpret data to determine the population's need and justify that their'
  ❌ Invalid title line: 'population of Southern Florida. To create a successful plan, you will analyze and interpret data to determine the population's need and justify that their'
  ➜ Parsing at 6479: 'organization can financially support and sustain the new system.'

🔍 parse_program: starting at line 6479: 'organization can financially support and sustain the new system.'
  ➜ Title candidate: 'organization can financially support and sustain the new system.'
  ❌ Invalid title line: 'organization can financially support and sustain the new system.'
  ➜ Parsing at 6480: 'C864 - Enterprise Risk Management Project - You will take on the role of a consulting risk manager for the Phoenix VA Health Care System'

🔍 parse_program: starting at line 6480: 'C864 - Enterprise Risk Management Project - You will take on the role of a consulting risk manager for the Phoenix VA Health Care System'
  ➜ Title candidate: 'C864 - Enterprise Risk Management Project - You will take on the role of a consulting risk manager for the Phoenix VA Health Care System'
  ❌ Invalid title line: 'C864 - Enterprise Risk Management Project - You will take on the role of a consulting risk manager for the Phoenix VA Health Care System'
  ➜ Parsing at 6481: '(PVAHCS) to address the Office of Inspector General’s report. You begin by identifying and analyzing risk issues embedded within a real-world'

🔍 parse_program: starting at line 6481: '(PVAHCS) to address the Office of Inspector General’s report. You begin by identifying and analyzing risk issues embedded within a real-world'
  ➜ Title candidate: '(PVAHCS) to address the Office of Inspector General’s report. You begin by identifying and analyzing risk issues embedded within a real-world'
  ❌ Invalid title line: '(PVAHCS) to address the Office of Inspector General’s report. You begin by identifying and analyzing risk issues embedded within a real-world'
  ➜ Parsing at 6482: 'scenario. You will use enterprise risk management (ERM) concepts to create and define implementation strategies for an ERM plan to mitigate and'

🔍 parse_program: starting at line 6482: 'scenario. You will use enterprise risk management (ERM) concepts to create and define implementation strategies for an ERM plan to mitigate and'
  ➜ Title candidate: 'scenario. You will use enterprise risk management (ERM) concepts to create and define implementation strategies for an ERM plan to mitigate and'
  ❌ Invalid title line: 'scenario. You will use enterprise risk management (ERM) concepts to create and define implementation strategies for an ERM plan to mitigate and'
  ➜ Parsing at 6483: 'manage the risks identified. Finally, you will recommend a new system model.'

🔍 parse_program: starting at line 6483: 'manage the risks identified. Finally, you will recommend a new system model.'
  ➜ Title candidate: 'manage the risks identified. Finally, you will recommend a new system model.'
  ❌ Invalid title line: 'manage the risks identified. Finally, you will recommend a new system model.'
  ➜ Parsing at 6484: 'C865 - Population Health and Care Coordination Project - You will design a chronic care population management plan and change a health'

🔍 parse_program: starting at line 6484: 'C865 - Population Health and Care Coordination Project - You will design a chronic care population management plan and change a health'
  ➜ Title candidate: 'C865 - Population Health and Care Coordination Project - You will design a chronic care population management plan and change a health'
  ❌ Invalid title line: 'C865 - Population Health and Care Coordination Project - You will design a chronic care population management plan and change a health'
  ➜ Parsing at 6485: 'system's model to one that focuses on patient and family. You will review a model from Mississippi that has expanded Medicaid where the'

🔍 parse_program: starting at line 6485: 'system's model to one that focuses on patient and family. You will review a model from Mississippi that has expanded Medicaid where the'
  ➜ Title candidate: 'system's model to one that focuses on patient and family. You will review a model from Mississippi that has expanded Medicaid where the'
  ❌ Invalid title line: 'system's model to one that focuses on patient and family. You will review a model from Mississippi that has expanded Medicaid where the'
  ➜ Parsing at 6486: 'opportunities to develop partnerships are ideal. To help control costs, you will develop a wellness and prevention program alongside the disease'

🔍 parse_program: starting at line 6486: 'opportunities to develop partnerships are ideal. To help control costs, you will develop a wellness and prevention program alongside the disease'
  ➜ Title candidate: 'opportunities to develop partnerships are ideal. To help control costs, you will develop a wellness and prevention program alongside the disease'
  ❌ Invalid title line: 'opportunities to develop partnerships are ideal. To help control costs, you will develop a wellness and prevention program alongside the disease'
  ➜ Parsing at 6487: 'management model already being used in a system of their choice.'

🔍 parse_program: starting at line 6487: 'management model already being used in a system of their choice.'
  ➜ Title candidate: 'management model already being used in a system of their choice.'
  ❌ Invalid title line: 'management model already being used in a system of their choice.'
  ➜ Parsing at 6488: 'C870 - Human Anatomy and Physiology - This course examines the structures and functions of the human body and covers anatomical'

🔍 parse_program: starting at line 6488: 'C870 - Human Anatomy and Physiology - This course examines the structures and functions of the human body and covers anatomical'
  ➜ Title candidate: 'C870 - Human Anatomy and Physiology - This course examines the structures and functions of the human body and covers anatomical'
  ❌ Invalid title line: 'C870 - Human Anatomy and Physiology - This course examines the structures and functions of the human body and covers anatomical'
  ➜ Parsing at 6489: 'terminology, cells and tissues, and organ systems. Students will use a dissection lab to study the healthy state of the organ systems of the human'

🔍 parse_program: starting at line 6489: 'terminology, cells and tissues, and organ systems. Students will use a dissection lab to study the healthy state of the organ systems of the human'
  ➜ Title candidate: 'terminology, cells and tissues, and organ systems. Students will use a dissection lab to study the healthy state of the organ systems of the human'
  ❌ Invalid title line: 'terminology, cells and tissues, and organ systems. Students will use a dissection lab to study the healthy state of the organ systems of the human'
  ➜ Parsing at 6490: 'body, including the digestive, skeletal, sensory, respiratory, reproductive, nervous, muscular, cardiovascular, lymphatic, integumentary, endocrine, and'

🔍 parse_program: starting at line 6490: 'body, including the digestive, skeletal, sensory, respiratory, reproductive, nervous, muscular, cardiovascular, lymphatic, integumentary, endocrine, and'
  ➜ Title candidate: 'body, including the digestive, skeletal, sensory, respiratory, reproductive, nervous, muscular, cardiovascular, lymphatic, integumentary, endocrine, and'
  ❌ Invalid title line: 'body, including the digestive, skeletal, sensory, respiratory, reproductive, nervous, muscular, cardiovascular, lymphatic, integumentary, endocrine, and'
  ➜ Parsing at 6491: 'renal systems. There are no prerequisites for this course.'

🔍 parse_program: starting at line 6491: 'renal systems. There are no prerequisites for this course.'
  ➜ Title candidate: 'renal systems. There are no prerequisites for this course.'
  ❌ Invalid title line: 'renal systems. There are no prerequisites for this course.'
  ➜ Parsing at 6492: 'C871 - MA, Science Education Teacher Performance Assessment - MA, Science Education (5-12 Geo) Teacher Performance Assessment'

🔍 parse_program: starting at line 6492: 'C871 - MA, Science Education Teacher Performance Assessment - MA, Science Education (5-12 Geo) Teacher Performance Assessment'
  ➜ Title candidate: 'C871 - MA, Science Education Teacher Performance Assessment - MA, Science Education (5-12 Geo) Teacher Performance Assessment'
  ❌ Invalid title line: 'C871 - MA, Science Education Teacher Performance Assessment - MA, Science Education (5-12 Geo) Teacher Performance Assessment'
  ➜ Parsing at 6493: 'contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct evidence of the'

🔍 parse_program: starting at line 6493: 'contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct evidence of the'
  ➜ Title candidate: 'contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct evidence of the'
  ❌ Invalid title line: 'contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct evidence of the'
  ➜ Parsing at 6494: 'candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect on the learning'

🔍 parse_program: starting at line 6494: 'candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect on the learning'
  ➜ Title candidate: 'candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect on the learning'
  ❌ Invalid title line: 'candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect on the learning'
  ➜ Parsing at 6495: 'process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional unit consisting'

🔍 parse_program: starting at line 6495: 'process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional unit consisting'
  ➜ Title candidate: 'process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional unit consisting'
  ❌ Invalid title line: 'process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional unit consisting'
  ➜ Parsing at 6496: 'of seven components: 1) Contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision making, 6) analysis of'

🔍 parse_program: starting at line 6496: 'of seven components: 1) Contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision making, 6) analysis of'
  ➜ Title candidate: 'of seven components: 1) Contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision making, 6) analysis of'
  ❌ Invalid title line: 'of seven components: 1) Contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision making, 6) analysis of'
  ➜ Parsing at 6497: 'student learning, and 7) self-evaluation and reflection.'

🔍 parse_program: starting at line 6497: 'student learning, and 7) self-evaluation and reflection.'
  ➜ Title candidate: 'student learning, and 7) self-evaluation and reflection.'
  ❌ Invalid title line: 'student learning, and 7) self-evaluation and reflection.'
  ➜ Parsing at 6498: 'C873 - Teacher Performance Assessment in Elementary Education - The Teacher Performance Assessment is a culmination of the wide variety'

🔍 parse_program: starting at line 6498: 'C873 - Teacher Performance Assessment in Elementary Education - The Teacher Performance Assessment is a culmination of the wide variety'
  ➜ Title candidate: 'C873 - Teacher Performance Assessment in Elementary Education - The Teacher Performance Assessment is a culmination of the wide variety'
  ❌ Invalid title line: 'C873 - Teacher Performance Assessment in Elementary Education - The Teacher Performance Assessment is a culmination of the wide variety'
  ➜ Parsing at 6499: 'of skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase'

🔍 parse_program: starting at line 6499: 'of skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase'
  ➜ Title candidate: 'of skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase'
  ❌ Invalid title line: 'of skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase'
  ➜ Parsing at 6500: 'a collection of your content, planning, instructional, and reflective skills in this professional assessment.'

🔍 parse_program: starting at line 6500: 'a collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Title candidate: 'a collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ❌ Invalid title line: 'a collection of your content, planning, instructional, and reflective skills in this professional assessment.'
  ➜ Parsing at 6501: 'C874 - MA, Mathematics Education (5-12) Teacher Performance Assessment - MA, Mathematics Education (5-12) Teacher Performance'

🔍 parse_program: starting at line 6501: 'C874 - MA, Mathematics Education (5-12) Teacher Performance Assessment - MA, Mathematics Education (5-12) Teacher Performance'
  ➜ Title candidate: 'C874 - MA, Mathematics Education (5-12) Teacher Performance Assessment - MA, Mathematics Education (5-12) Teacher Performance'
  ❌ Invalid title line: 'C874 - MA, Mathematics Education (5-12) Teacher Performance Assessment - MA, Mathematics Education (5-12) Teacher Performance'
  ➜ Parsing at 6502: 'Assessment contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct'

🔍 parse_program: starting at line 6502: 'Assessment contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct'
  ➜ Title candidate: 'Assessment contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct'
  ❌ Invalid title line: 'Assessment contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct'
  ➜ Parsing at 6503: 'evidence of the candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect'

🔍 parse_program: starting at line 6503: 'evidence of the candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect'
  ➜ Title candidate: 'evidence of the candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect'
  ❌ Invalid title line: 'evidence of the candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect'
  ➜ Parsing at 6504: 'on the learning process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional'

🔍 parse_program: starting at line 6504: 'on the learning process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional'
  ➜ Title candidate: 'on the learning process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional'
  ❌ Invalid title line: 'on the learning process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional'
  ➜ Parsing at 6505: 'unit consisting of seven components: 1) Contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision'

🔍 parse_program: starting at line 6505: 'unit consisting of seven components: 1) Contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision'
  ➜ Title candidate: 'unit consisting of seven components: 1) Contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision'
  ❌ Invalid title line: 'unit consisting of seven components: 1) Contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision'
  ➜ Parsing at 6506: 'making, 6) analysis of student learning, and 7) self-evaluation and reflection.'

🔍 parse_program: starting at line 6506: 'making, 6) analysis of student learning, and 7) self-evaluation and reflection.'
  ➜ Title candidate: 'making, 6) analysis of student learning, and 7) self-evaluation and reflection.'
  ❌ Invalid title line: 'making, 6) analysis of student learning, and 7) self-evaluation and reflection.'
  ➜ Parsing at 6507: 'C875 - Human Anatomy and Physiology - This course examines the structures and functions of the human body and covers anatomical'

🔍 parse_program: starting at line 6507: 'C875 - Human Anatomy and Physiology - This course examines the structures and functions of the human body and covers anatomical'
  ➜ Title candidate: 'C875 - Human Anatomy and Physiology - This course examines the structures and functions of the human body and covers anatomical'
  ❌ Invalid title line: 'C875 - Human Anatomy and Physiology - This course examines the structures and functions of the human body and covers anatomical'
  ➜ Parsing at 6508: 'terminology, cells and tissues, and organ systems. Students will use a dissection lab to study the healthy state of the organ systems of the human'

🔍 parse_program: starting at line 6508: 'terminology, cells and tissues, and organ systems. Students will use a dissection lab to study the healthy state of the organ systems of the human'
  ➜ Title candidate: 'terminology, cells and tissues, and organ systems. Students will use a dissection lab to study the healthy state of the organ systems of the human'
  ❌ Invalid title line: 'terminology, cells and tissues, and organ systems. Students will use a dissection lab to study the healthy state of the organ systems of the human'
  ➜ Parsing at 6509: 'body, including the digestive, skeletal, sensory, respiratory, reproductive, nervous, muscular, cardiovascular, lymphatic, integumentary, endocrine, and'

🔍 parse_program: starting at line 6509: 'body, including the digestive, skeletal, sensory, respiratory, reproductive, nervous, muscular, cardiovascular, lymphatic, integumentary, endocrine, and'
  ➜ Title candidate: 'body, including the digestive, skeletal, sensory, respiratory, reproductive, nervous, muscular, cardiovascular, lymphatic, integumentary, endocrine, and'
  ❌ Invalid title line: 'body, including the digestive, skeletal, sensory, respiratory, reproductive, nervous, muscular, cardiovascular, lymphatic, integumentary, endocrine, and'
  ➜ Parsing at 6510: 'renal systems. There are no prerequisites for this course.'

🔍 parse_program: starting at line 6510: 'renal systems. There are no prerequisites for this course.'
  ➜ Title candidate: 'renal systems. There are no prerequisites for this course.'
  ❌ Invalid title line: 'renal systems. There are no prerequisites for this course.'
  ➜ Parsing at 6511: 'C876 - Conceptual Physics - Conceptual Physics provides a broad, conceptual overview of the main principles of physics, including mechanics,'

🔍 parse_program: starting at line 6511: 'C876 - Conceptual Physics - Conceptual Physics provides a broad, conceptual overview of the main principles of physics, including mechanics,'
  ➜ Title candidate: 'C876 - Conceptual Physics - Conceptual Physics provides a broad, conceptual overview of the main principles of physics, including mechanics,'
  ❌ Invalid title line: 'C876 - Conceptual Physics - Conceptual Physics provides a broad, conceptual overview of the main principles of physics, including mechanics,'
  ➜ Parsing at 6512: 'thermodynamics, wave motion, modern physics, and electricity and magnetism. Problem-solving activities and laboratory experiments provide'

🔍 parse_program: starting at line 6512: 'thermodynamics, wave motion, modern physics, and electricity and magnetism. Problem-solving activities and laboratory experiments provide'
  ➜ Title candidate: 'thermodynamics, wave motion, modern physics, and electricity and magnetism. Problem-solving activities and laboratory experiments provide'
  ❌ Invalid title line: 'thermodynamics, wave motion, modern physics, and electricity and magnetism. Problem-solving activities and laboratory experiments provide'
  ➜ Parsing at 6513: 'students with opportunities to apply these main principles, creating a strong foundation for future studies in physics. There are no prerequisites for this'

🔍 parse_program: starting at line 6513: 'students with opportunities to apply these main principles, creating a strong foundation for future studies in physics. There are no prerequisites for this'
  ➜ Title candidate: 'students with opportunities to apply these main principles, creating a strong foundation for future studies in physics. There are no prerequisites for this'
  ❌ Invalid title line: 'students with opportunities to apply these main principles, creating a strong foundation for future studies in physics. There are no prerequisites for this'
  ➜ Parsing at 6514: 'course.'

🔍 parse_program: starting at line 6514: 'course.'
  ➜ Title candidate: 'course.'
  ❌ Invalid title line: 'course.'
  ➜ Parsing at 6515: '© Western Governors University 7/19/17 168'

🔍 parse_program: starting at line 6515: '© Western Governors University 7/19/17 168'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'C877 - Mathematical Modeling and Applications - Mathematical Modeling and Applications applies mathematics, such as differential equations,'
  ➜ Skipping stray line: 'discrete structures, and statistics to formulate models and solve real-world problems. This course emphasizes improving students’ critical thinking to'
  ➜ Skipping stray line: 'help them understand the process and application of mathematical modeling. Probability and Statistics II and Calculus II are prerequisites.'
  ➜ Skipping stray line: 'C878 - Mathematical Modeling and Applications - Mathematical Modeling and Applications applies mathematics, such as differential equations,'
  ➜ Skipping stray line: 'discrete structures, and statistics to formulate models and solve real-world problems. This course emphasizes improving students’ critical thinking to'
  ➜ Skipping stray line: 'help them understand the process and application of mathematical modeling. Probability and Statistics II and Calculus II are prerequisites.'
  ➜ Skipping stray line: 'C879 - Algebra for Secondary Mathematics Teaching - Algebra for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of algebra. Secondary teachers should have an understanding of the following: algebra as an extension of number, operation, and'
  ➜ Skipping stray line: 'quantity; various ideas of equivalence as it pertains to algebraic structures; patterns of change as covariation between quantities; connections'
  ➜ Skipping stray line: 'between representations (tables, graphs, equations, geometric models, context); and the historical development of content and perspectives from'
  ➜ Skipping stray line: 'diverse cultures. In particular, the focus should be on deeper understanding of rational numbers, ratios and proportions, meaning and use of variables,'
  ➜ Skipping stray line: 'functions (e.g., exponential, logarithmic, polynomials, rational, quadratic), and inverses. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C880 - Algebra for Secondary Mathematics Teaching - Algebra for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of algebra. Secondary teachers should have an understanding of the following: algebra as an extension of number, operation, and'
  ➜ Skipping stray line: 'quantity; various ideas of equivalence as it pertains to algebraic structures; patterns of change as covariation between quantities; connections'
  ➜ Skipping stray line: 'between representations (tables, graphs, equations, geometric models, context); and the historical development of content and perspectives from'
  ➜ Skipping stray line: 'diverse cultures. In particular, the focus should be on deeper understanding of rational numbers, ratios and proportions, meaning and use of variables,'
  ➜ Skipping stray line: 'functions (e.g., exponential, logarithmic, polynomials, rational, quadratic), and inverses. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C881 - Geometry for Secondary Mathematics Teaching - Geometry for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of geometry. Secondary teachers in this course will develop a deep understanding of constructions and transformations,'
  ➜ Skipping stray line: 'congruence and similarity, analytic geometry, solid geometry, conics, trigonometry, and the historical development of content. Calculus I is a'
  ➜ Skipping stray line: 'prerequisite for this course.'
  ➜ Skipping stray line: 'C882 - Geometry for Secondary Mathematics Teaching - Geometry for Secondary Mathematics Teaching explores important conceptual'
  ➜ Skipping stray line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Skipping stray line: 'assess the learning of geometry. Secondary teachers in this course will develop a deep understanding of constructions and transformations,'
  ➜ Skipping stray line: 'congruence and similarity, analytic geometry, solid geometry, conics, trigonometry, and the historical development of content. Calculus I is a'
  ➜ Skipping stray line: 'prerequisite for this course.'
  ➜ Skipping stray line: 'C883 - Statistics and Probability for Secondary Mathematics Teaching - Statistics and Probability for Secondary Mathematics Teaching explores'
  ➜ Skipping stray line: 'important conceptual underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional'
  ➜ Skipping stray line: 'practices to support and assess the learning of statistics and probability. Secondary teachers should have a deep understanding of summarizing and'
  ➜ Skipping stray line: 'representing data, study design and sampling, probability, testing claims and drawing conclusions, and the historical development of content and'
  ➜ Skipping stray line: 'perspectives from diverse cultures. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C884 - Statistics and Probability for Secondary Mathematics Teaching - Statistics and Probability for Secondary Mathematics Teaching explores'
  ➜ Skipping stray line: 'important conceptual underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional'
  ➜ Skipping stray line: 'practices to support and assess the learning of statistics and probability. Secondary teachers should have a deep understanding of summarizing and'
  ➜ Skipping stray line: 'representing data, study design and sampling, probability, testing claims and drawing conclusions, and the historical development of content and'
  ➜ Skipping stray line: 'perspectives from diverse cultures. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'C885 - Advanced Calculus - Advanced Calculus examines rigorous reconsideration and proofs involving calculus. Topics include real-number'
  ➜ Skipping stray line: 'systems, sequences, limits, continuity, differentiation, and integration. This course emphasizes students’ ability to apply critical thinking to concepts to'
  ➜ Skipping stray line: 'analyze the connections between definitions and properties. Calculus III and Linear Algebra are prerequisites.'
  ➜ Skipping stray line: 'C886 - Advanced Calculus - Advanced Calculus examines rigorous reconsideration and proofs involving calculus. Topics include real-number'
  ➜ Skipping stray line: 'systems, sequences, limits, continuity, differentiation, and integration. This course emphasizes students’ ability to apply critical thinking to concepts to'
  ➜ Skipping stray line: 'analyze the connections between definitions and properties. Calculus III and Linear Algebra are prerequisites.'
  ➜ Skipping stray line: 'C887 - MA, Mathematics Education (5-9) Teacher Performance Assessment - MA, Mathematics Education (5-9) Teacher Performance'
  ➜ Skipping stray line: 'Assessment contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct'
  ➜ Skipping stray line: 'evidence of the candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect'
  ➜ Skipping stray line: 'on the learning process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional'
  ➜ Skipping stray line: 'unit consisting of seven components: 1) contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision making,'
  ➜ Skipping stray line: '6) analysis of student learning, and 7) self-evaluation and reflection.'
  ➜ Skipping stray line: 'C888 - Molecular and Cellular Biology - Molecular and Cellular Biology provides students seeking licensure or endorsement in biology, grades 5-12,'
  ➜ Skipping stray line: 'with an introduction to the area of molecular and cellular biology. Molecular and Cellular Biology examines the cell as an organism emphasizing'
  ➜ Skipping stray line: 'molecular basis of cell structure and functions of biological macromolecules, subcellular organelles, intracellular transport, cell division, and biological'
  ➜ Skipping stray line: 'reactions. Prerequisite: Introduction to Biology.'
  ➜ Skipping stray line: 'C889 - Molecular and Cellular Biology - Molecular and Cellular Biology provides students seeking licensure or endorsement in biology, grades 5-12,'
  ➜ Skipping stray line: 'with an introduction to the area of molecular and cellular biology. Molecular and Cellular Biology examines the cell as an organism emphasizing'
  ➜ Skipping stray line: 'molecular basis of cell structure and functions of biological macromolecules, subcellular organelles, intracellular transport, cell division, and biological'
  ➜ Skipping stray line: 'reactions. Prerequisite: Introduction to Biology.'
  ➜ Skipping stray line: 'C890 - Ecology and Environmental Science - Ecology and Environmental Science is an introductory course for undergraduate students seeking'
  ➜ Skipping stray line: 'initial licensure or endorsement in science education for grades 5–12. The course explores the relationships between organisms and their'
  ➜ Skipping stray line: 'environment, including population ecology, communities, adaptations, distributions, interactions, and the environmental factors controlling these'
  ➜ Skipping stray line: 'relationships. This course has no prerequisites.'
  ➜ Skipping stray line: 'C891 - Ecology and Environmental Science - Ecology and Environmental Science is an introductory course for graduate students seeking initial'
  ➜ Skipping stray line: 'licensure or endorsement in science education for grades 5–12. The course introduction to ecology and environmental science and explores the'
  ➜ Skipping stray line: 'relationships between organisms and their environment, including population ecology, communities, adaptations, distributions, interactions, and the'
  ➜ Skipping stray line: 'environmental factors controlling these relationships. This course has no prerequisites.'
  ➜ Skipping stray line: 'C892 - Geology II: Earth Systems - Geology II: Earth Systems provides undergraduate students seeking licensure or endorsement in science'
  ➜ Skipping stray line: 'education for grades 5-12 with an examination of the geosphere, atmosphere, hydrosphere, and biosphere, and the dynamic equilibrium of these'
  ➜ Skipping stray line: 'systems over geologic time. This course also examines the history of Earth and its life-forms, with an emphasis in meteorology. A prerequisite for this'
  ➜ Skipping stray line: 'course is Geology I: Physical.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 169'
  ➜ Skipping stray line: 'C893 - Geology II: Earth Systems - Geology II: Earth Systems provides graduate students seeking licensure or endorsement in science education'
  ➜ Skipping stray line: 'for grades 5-12 with an examination of the geosphere, atmosphere, hydrosphere, and biosphere, and the dynamic equilibrium of these systems over'
  ➜ Skipping stray line: 'geologic time. This course also examines the history of Earth and its life-forms, with an emphasis in meteorology. A prerequisite for this course is'
  ➜ Skipping stray line: 'Geology I: Physical.'
  ➜ Skipping stray line: 'C894 - Astronomy - This course provides undergraduate students seeking initial licensure or endorsement in geosciences for grades 5−12 with'
  ➜ Skipping stray line: 'essential knowledge of astronomy and explores Western history and basic physics of astronomy; phases of the moon and seasons; composition and'
  ➜ Skipping stray line: 'properties of solar system bodies; stellar evolution and remnants; properties and scale of objects and distances within the universe; and introductory'
  ➜ Skipping stray line: 'cosmology. A prerequisite for this course is General Physics.'
  ➜ Skipping stray line: 'C895 - Astronomy - This course provides graduate students seeking initial licensure or endorsement in geosciences for grades 5−12 with essential'
  ➜ Skipping stray line: 'knowledge of astronomy and explores Western history and basic physics of astronomy; phases of the moon and seasons; composition and properties'
  ➜ Skipping stray line: 'of solar system bodies; stellar evolution and remnants; properties and scale of objects and distances within the universe; and introductory cosmology.'
  ➜ Skipping stray line: 'A prerequisite for this course is General Physics.'
  ➜ Skipping stray line: 'C896 - Science Methods - Science Methods provides undergraduate students seeking initial licensure or endorsement in the sciences for grades'
  ➜ Skipping stray line: '5-12 with an introduction to science teaching methods and laboratory safety training. Course content focuses on designing and teaching with the three'
  ➜ Skipping stray line: 'dimensions of science: disciplinary core ideas, crosscutting concepts, and science and engineering practices. Laboratory safety training and'
  ➜ Skipping stray line: 'certification will include the proper use of personal protective equipment and safe laboratory practices and procedures in science classrooms. This'
  ➜ Skipping stray line: 'course has no prerequisites.'
  ➜ Skipping stray line: 'C897 - Mathematics: Content Knowledge - Mathematics: Content Knowledge is designed to help candidates refine and integrate the mathematics'
  ➜ Skipping stray line: 'content knowledge and skills necessary to become successful secondary mathematics teachers. A high level of mathematical reasoning skills and the'
  ➜ Skipping stray line: 'ability to solve problems are necessary to complete this course. Prerequisites for this course are College Geometry, Probability and Statistics I, and'
  ➜ Skipping stray line: 'Pre-Calculus.'
  ➜ Skipping stray line: 'C898 - Earth Science: Content Knowledge - This course covers the advanced content knowledge that a secondary Earth Science teachers is'
  ➜ Skipping stray line: 'expected to know and understand. Topics include basic scientific principles of Earth and Space Sciences, tectonics and internal Earth processes,'
  ➜ Skipping stray line: 'Earth materials and surface processes, history of the Earth and its Life-Forms, Earth's atmosphere and hydrosphhere, and astronomy.'
  ➜ Skipping stray line: 'C900 - Biology: Content Knowledge - This comprehensive course examines a student’s conceptual understanding of a broad range of biology'
  ➜ Skipping stray line: 'topics. High school biology teachers must help students make connections between isolated topics. For example, when studying hormones created by'
  ➜ Skipping stray line: 'endocrine glands traveling through the circulatory system to maintain homeostasis, a student is connecting many biology topics. This course starts'
  ➜ Skipping stray line: 'with macromolecules that make up cellular components and continues with understanding the many cellular processes that allow life to exist.'
  ➜ Skipping stray line: 'Connections are then made between genetics and evolution. Classification of organisms leads into plant and animal development that study the organ'
  ➜ Skipping stray line: 'systems and their role in maintaining homeostasis. The course finishes by studying ecology and how humans affect the environment.'
  ➜ Skipping stray line: 'C901 - Physics: Content Knowledge - Physics: Content Knowledge covers the advanced content knowledge that a secondary physics teacher is'
  ➜ Skipping stray line: 'expected to know and understand. Topics include mechanics, electricity and magnetism, optics and waves, heat and thermodynamics, modern'
  ➜ Skipping stray line: 'physics, atomic and nuclear structure, the history and nature of science, science technology, and social perspectives.'
  ➜ Skipping stray line: 'C902 - Middle School Science: Content Knowledge - This course covers the content knowledge that a middle-level science teacher is expected to'
  ➜ Skipping stray line: 'know and understand. Topics include scientific methodologies, history of science, basic science principles, physical sciences, life sciences, Earth and'
  ➜ Skipping stray line: 'space sciences, and the role of science and technology and their impact on society.'
  ➜ Skipping stray line: 'C903 - Middle School Mathematics: Content Knowledge - Mathematics: Middle School Content Knowledge is designed to help candidates refine'
  ➜ Skipping stray line: 'and integrate the mathematics content knowledge and skills necessary to become successful middle school mathematics teachers. A high level of'
  ➜ Skipping stray line: 'mathematical reasoning skills and the ability to solve problems are necessary to complete this course. Prerequisites for this course are College'
  ➜ Skipping stray line: 'Geometry, Probability and Statistics I, and Pre-Calculus.'
  ➜ Skipping stray line: 'C904 - Teacher Performance Assessment in Science - The Teacher Performance Assessment in Science is a culmination of the wide variety of'
  ➜ Skipping stray line: 'skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a'
  ➜ Skipping stray line: 'collection of your content, planning, instructional, and'
  ➜ Skipping stray line: 'reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C907 - Introduction to Biology - This course is a foundational introduction to the biological sciences. The overarching theories of life from biological'
  ➜ Skipping stray line: 'research are explored as well as the fundamental concepts and principles of the study of living organisms and their interaction with the environment.'
  ➜ Skipping stray line: 'Key concepts include how living organisms use and produce energy; how life grows, develops, and reproduces; how life responds to the environment'
  ➜ Skipping stray line: 'to maintain internal stability; and how life evolves and adapts to the environment.'
  ➜ Skipping stray line: 'C908 - Integrated Physical Sciences - This course provides students with an overview of the basic principles and unifying ideas of the physical'
  ➜ Skipping stray line: 'sciences: physics, chemistry, and Earth sciences. Course materials focus on scientific reasoning and practical and everyday applications of physical'
  ➜ Skipping stray line: 'science concepts to help students integrate conceptual knowledge with practical skills.'
  ➜ Skipping stray line: 'C909 - Elementary Reading Methods and Interventions - Elementary Reading Methods and Interventions provides students seeking initial teacher'
  ➜ Skipping stray line: 'licensure in elementary education with an in-depth look at best practices for developing the reading and writing skills of all students. Course content'
  ➜ Skipping stray line: 'examines the stages of literacy development, the balanced literacy approach, differentiation, technology integration, literacy-assessment, and the'
  ➜ Skipping stray line: 'comprehensive Response to Intervention (RTI) model used to identify and address the needs of learners who struggle with reading comprehension.'
  ➜ Skipping stray line: 'This course has no prerequisites.'
  ➜ Skipping stray line: 'C910 - Elementary Reading Methods and Interventions - Elementary Reading Methods and Interventions provides students seeking initial teacher'
  ➜ Skipping stray line: 'licensure in elementary education with an in-depth look at best practices for developing the reading and writing skills of all students. Course content'
  ➜ Skipping stray line: 'examines the stages of literacy development, the balanced literacy approach, differentiation, technology integration, literacy-assessment, and the'
  ➜ Skipping stray line: 'comprehensive Response to Intervention (RTI) model used to identify and address the needs of learners who struggle with reading comprehension.'
  ➜ Skipping stray line: 'This course has no prerequisites.'
  ➜ Skipping stray line: 'C912 - College Algebra - This course provides further application and analysis of algebraic concepts and functions through mathematical modeling of'
  ➜ Skipping stray line: 'real-world situations. Topics include: real numbers, algebraic expressions, equations and inequalities, graphs and functions, polynomial and rational'
  ➜ Skipping stray line: 'functions, exponential and logarithmic functions, and systems of linear equations.'
  ➜ Skipping stray line: 'C913 - Psychology for Educators - This course prepares candidates to meet the expectations of society and prepares future educators to support'
  ➜ Skipping stray line: 'classroom practice with research-validated concepts. The course helps future educators to create a framework for refining teaching skills that are'
  ➜ Skipping stray line: 'focused on the learner, through engaged inquiry of integrating theory, critical issues in psychology, classroom applications with diverse populations,'
  ➜ Skipping stray line: 'assessment, educational technology, and reflective teaching.'
  ➜ Skipping stray line: 'C914 - Teacher Performance Assessment in Mathematics Education - The Teacher Performance Assessment is a culmination of the wide variety'
  ➜ Skipping stray line: 'of skills learned during your time'
  ➜ Skipping stray line: 'in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of your content,'
  ➜ Skipping stray line: 'planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 170'
  ➜ Skipping stray line: 'C915 - Chemistry: Content Knowledge - Chemistry: Content Knowledge provides advanced instruction in the main areas of chemistry for which'
  ➜ Skipping stray line: 'secondary chemistry teachers are expected to demonstrate competency. Topics include matter and energy, thermochemistry, structure, bonding,'
  ➜ Skipping stray line: 'reactivity, biochemistry and organic chemistry, solutions, nature of science, technology and social perspectives, mathematics, and laboratory'
  ➜ Skipping stray line: 'procedures.'
  ➜ Skipping stray line: 'C925 - Earth: Inside and Out - Earth: Inside and Out explores the ways in which our dynamic planet evolved, and the processes and systems that'
  ➜ Skipping stray line: 'continue to shape it. Though the geologic record is incredibly ancient, it has only been studied intensely since the end of the nineteenth century. Since'
  ➜ Skipping stray line: 'then, research in fields such as geologic time, plate tectonics, climate change, exploration of the deep sea floor, and the inner earth have vastly'
  ➜ Skipping stray line: 'increased our understanding of geological processes. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C926 - Earth: Inside and Out - Earth: Inside and Out explores the ways in which our dynamic planet evolved, and the processes and systems that'
  ➜ Skipping stray line: 'continue to shape it. Though the geologic record is incredibly ancient, it has only been studied intensely since the end of the nineteenth century. Since'
  ➜ Skipping stray line: 'then, research in fields such as geologic time, plate tectonics, climate change, exploration of the deep sea floor, and the inner earth have vastly'
  ➜ Skipping stray line: 'increased our understanding of geological processes. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C930 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C931 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C932 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C933 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C934 - Preclinical Experiences in Elementary and Special Education - Preclinical Experiences in Elementary and Special Education provides'
  ➜ Skipping stray line: 'students the opportunity to observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence'
  ➜ Skipping stray line: 'necessary to be an effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the'
  ➜ Skipping stray line: 'classroom for the observations, students will be required to meet several requirements including a cleared background check, passing scores on the'
  ➜ Skipping stray line: 'state or WGU required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C935 - Preclinical Experiences in Elementary Education - Preclinical Experiences in Elementary Education provides students the opportunity to'
  ➜ Skipping stray line: 'observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an'
  ➜ Skipping stray line: 'effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the'
  ➜ Skipping stray line: 'observations, students will be required to meet several requirements including a cleared background check, passing scores on the state or WGU'
  ➜ Skipping stray line: 'required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C936 - Preclinical Experiences in Elementary Education - Preclinical Experiences in Elementary Education provides students the opportunity to'
  ➜ Skipping stray line: 'observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an'
  ➜ Skipping stray line: 'effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the'
  ➜ Skipping stray line: 'observations, students will be required to meet several requirements including a cleared background check, passing scores on the state or WGU'
  ➜ Skipping stray line: 'required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C937 - Preclinical Experiences in Science - Preclinical Experiences in Science provides students the opportunity to observe and participate in a'
  ➜ Skipping stray line: 'wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will'
  ➜ Skipping stray line: 'reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required'
  ➜ Skipping stray line: 'to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed'
  ➜ Skipping stray line: 'resume.'
  ➜ Skipping stray line: 'C938 - Preclinical Experiences in Science - Preclinical Experiences in Science provides students the opportunity to observe and participate in a'
  ➜ Skipping stray line: 'wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will'
  ➜ Skipping stray line: 'reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required'
  ➜ Skipping stray line: 'to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed'
  ➜ Skipping stray line: 'resume.'
  ➜ Skipping stray line: 'CQC2 - Calculus II - Calculus II is the study of the accumulation of change in relation to the area under a curve. It covers the knowledge and skills'
  ➜ Skipping stray line: 'necessary to apply integral calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include'
  ➜ Skipping stray line: 'antiderivatives; indefinite integrals; the substitution rule; Riemann sums; the Fundamental Theorem of Calculus; definite integrals; acceleration,'
  ➜ Skipping stray line: 'velocity, position, and initial values; integration by parts; integration by trigonometric substitution; integration by partial fractions; numerical integration;'
  ➜ Skipping stray line: 'improper integration; area between curves; volumes and surface areas of revolution; arc length; work; center of mass; separable differential equations;'
  ➜ Skipping stray line: 'direction fields; growth and decay problems; and sequences. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'CUA1 - Culture - Focuses on the nature and role of culture and the importance of cultural groups and cultural identity.'
  ➜ Skipping stray line: 'CWEL - Capstone Written Project in Educational Leadership - The capstone project will consist of the design and implementation of a short-term'
  ➜ Skipping stray line: 'datadriven school improvement initiative. Through the case study approach and during the capstone experience, you will identify one or more'
  ➜ Skipping stray line: 'measurable outcome improvement areas in your case study / practicum site. You will propose and develop short-term school improvement initiatives'
  ➜ Skipping stray line: 'and will then measure the outcomes and results of your implemented improvement initiatives.'
  ➜ Skipping stray line: 'CZC1 - Accounting II - Accounting II is a continuation of the topics that were addressed in Accounting I. Accounting II focuses on ways in which'
  ➜ Skipping stray line: 'accounting principles are used in business operations, deepening the student's understanding of Generally Accepted Accounting Principles (GAAP),'
  ➜ Skipping stray line: 'inventory, liabilities, and budgets. This course also introduces topics that are important for corporate accounting and financial analysis.'
  ➜ Skipping stray line: 'DPT1 - Physics: Electricity and Magnetism - Physics: Electricity and Magnetism addresses principles related to the physics of electricity and'
  ➜ Skipping stray line: 'magnetism. Students will study electric and magnetic forces and then apply that knowledge to the study of circuits with resistors and electromagnetic'
  ➜ Skipping stray line: 'induction and waves, focusing on such topics as: Electric charge and electric field, electric currents and resistance, magnetism, electromagnetic'
  ➜ Skipping stray line: 'induction and Faraday's law, and Maxwell's equation and electromagnetic waves.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 171'
  ➜ Skipping stray line: 'DPT2 - Physics: Electricity and Magnetism - Physics: Electricity and Magnetism addresses principles related to the physics of electricity and'
  ➜ Skipping stray line: 'magnetism. Students will study electric and magnetic forces and then apply that knowledge to the study of circuits with resistors and electromagnetic'
  ➜ Skipping stray line: 'induction and waves, focusing on such topics as: Electric charge and electric field, electric currents and resistance, magnetism, electromagnetic'
  ➜ Skipping stray line: 'induction and Faraday's law, and Maxwell's equation and electromagnetic waves.'
  ➜ Skipping stray line: 'DRC1 - Educational Assessment - Educational Assessment assists students in making appropriate data-driven instructional decisions by exploring'
  ➜ Skipping stray line: 'key concepts relevant to the administration, scoring, and interpretation of classroom assessments. Topics include ethical assessment practices,'
  ➜ Skipping stray line: 'designing assessments, aligning assessments, and utilizing technology for assessment.'
  ➜ Skipping stray line: 'DWP2 - Application of Elementary Social Studies Methods - Application of Elementary Social Studies Methods helps students learn how to'
  ➜ Skipping stray line: 'implement effective social studies instruction in the elementary classroom. Topics include social studies themes, promoting cultural diversity,'
  ➜ Skipping stray line: 'integrated social studies across the curriculum, social studies learning environments, assessing social studies understanding, differentiated instruction'
  ➜ Skipping stray line: 'for social studies, technology for social studies instruction, and standards-based social studies instruction. This course helps students to apply,'
  ➜ Skipping stray line: 'analyze, and reflect on effective elementary social studies instruction.'
  ➜ Skipping stray line: 'DZP2 - Application of Elementary Visual and Performing Arts Methods - Application of Elementary Visual and Performing Arts Methods helps'
  ➜ Skipping stray line: 'students learn how to implement effective visual and performing arts instruction in the elementary classroom. Topics include integrating arts across the'
  ➜ Skipping stray line: 'curriculum, music education, visual arts, dance and movement, dramatic arts, differentiated instruction for visual and performing arts, and promoting'
  ➜ Skipping stray line: 'cultural diversity through visual and performing arts instruction. This course helps students to apply, analyze, and reflect on effective elementary visual'
  ➜ Skipping stray line: 'and performing arts instruction.'
  ➜ Skipping stray line: 'EBP2 - Application of Elementary Physical Education and Health Methods - Applications of Elementary Physical Education and Health Methods'
  ➜ Skipping stray line: 'helps students learn how to implement effective physical and health education instruction in the elementary classroom. Topics include healthy'
  ➜ Skipping stray line: 'lifestyles, student safety, student nutrition, physical education, differentiated instruction for physical and health education, physical education across'
  ➜ Skipping stray line: 'the curriculum, and public policy in health and physical education. This course helps students to apply, analyze, and reflect on effective elementary'
  ➜ Skipping stray line: 'visual and performing arts instruction.'
  ➜ Skipping stray line: 'EFP1 - Cultural Studies and Diversity - Cultural Studies and Diversity focuses on the development of cultural awareness. Students will analyze the'
  ➜ Skipping stray line: 'role of culture in today’s world, develop culturally-responsive practices, and understand the barriers to and the benefits of diversity.'
  ➜ Skipping stray line: 'EFV1 - Behavioral Management and Intervention - Behavioral Management and Intervention explores the challenges of working with students with'
  ➜ Skipping stray line: 'emotional and behavioral disabilities and helps students learn about theories, interventions, practices, and assessments that can influence these'
  ➜ Skipping stray line: 'children's opportunities for success. It further helps students better be able to make decisions about how to strategize behavior'
  ➜ Skipping stray line: 'adjustments for individual students.'
  ➜ Skipping stray line: 'EFV2 - Behavioral Management and Intervention - Behavioral Management and Intervention explores the challenges of working with students with'
  ➜ Skipping stray line: 'emotional and behavioral disabilities and helps students learn about theories, interventions, practices, and assessments that can influence these'
  ➜ Skipping stray line: 'children's opportunities for success. It further helps students better be able to make decisions about how to strategize behavior adjustments for'
  ➜ Skipping stray line: 'individual students.'
  ➜ Skipping stray line: 'ELO1 - Subject Specific Pedagogy: ELL - Subject Specific Pedagogy: ELL integrates aspects of pedagogy, assessment, and professionalism in'
  ➜ Skipping stray line: 'English Language Learning (ELL). A student develops and assesses aspects of language curriculum development including second language'
  ➜ Skipping stray line: 'instruction, methods of second language assessment, and legal policy issues.'
  ➜ Skipping stray line: 'EST1 - Ethical Situations in Business - Ethical Situations in Business explores various scenarios in business and helps students learn to develop'
  ➜ Skipping stray line: 'ethical and socially responsible courses of action. Students will also learn to develop an appropriate and comprehensive ethics program for a business'
  ➜ Skipping stray line: 'venture.'
  ➜ Skipping stray line: 'EXP2 - College Geometry - College Geometry covers the knowledge and skills necessary to apply geometry to model and solve real-life problems, to'
  ➜ Skipping stray line: 'do formal axiomatic proofs in geometry, and to use dynamic technology to explore geometry. Topics include axiomatic systems and analytic proof;'
  ➜ Skipping stray line: 'non-Euclidean geometries; construction, analytic, and synthetic methods for investigating and proving properties and relationships of two- and three-'
  ➜ Skipping stray line: 'dimensional objects; geometric transformations, tessellations, and using inductive reasoning; concrete models; and dynamic technology to conduct'
  ➜ Skipping stray line: 'geometric investigations. College Algebra and Pre-Calculus are prerequisites for this course.'
  ➜ Skipping stray line: 'FCC1 - Introduction to Special Education, Law and Legal Issues - Introduction to Special Education, Law and Legal Issues introduces the history'
  ➜ Skipping stray line: 'and nature of special education and how it relates to general education, as well as specific legal acts and concepts governing it. Topics include history'
  ➜ Skipping stray line: 'of special education, the Individuals with Disabilities Education Act, the No Child Left Behind Act, FAPE (free, appropriate public education), and least'
  ➜ Skipping stray line: 'restrictive environments.'
  ➜ Skipping stray line: 'FCC2 - Introduction to Special Education, Law and Legal Issues, Policies and Procedures - Introduction to Special Education, Law and Legal'
  ➜ Skipping stray line: 'Issues, Policies and Procedures introduces the history and nature of special education and how it relates to general education, as well as specific'
  ➜ Skipping stray line: 'legal acts and concepts governing it. Topics include history of special education, the Individuals with Disabilities Education Act, the No Child Left'
  ➜ Skipping stray line: 'Behind Act, FAPE (free, appropriate public education), and least restrictive environments.'
  ➜ Skipping stray line: 'FEA1 - Field Experience for ELL - Field Experience for ELL is the field experience component of the English Language Learning program. In this'
  ➜ Skipping stray line: 'experience, students are required to complete a minimum of 15 hours of observations at both elementary and secondary levels. Additionally, a'
  ➜ Skipping stray line: 'supervised teaching experience that is face-to-face with English language learners according to the minimum time requirements of your state is'
  ➜ Skipping stray line: 'required. The purpose of this course is to assess the ability of the student including their engagement in field experience activities, ability to reflect on'
  ➜ Skipping stray line: 'and then plan standards-based instruction in ELL, and their ability to locate and effectively use resources for teaching ELL to meet the needs of their'
  ➜ Skipping stray line: 'individual students.'
  ➜ Skipping stray line: 'FJC1 - Psychoeducational Assessment Practices and IEP Development/Implementation - Psychoeducational Assessment Practices and IEP'
  ➜ Skipping stray line: 'Development/Implementation prepares students to apply knowledge the IEP as they work with students who have mild to moderate disabilities in a'
  ➜ Skipping stray line: 'wide variety of possible situations, all with an emphasis on cross-categorical inclusion. It helps students gain fluency in their understanding of the 13'
  ➜ Skipping stray line: 'disability categories, assessment, curriculum, and instruction.'
  ➜ Skipping stray line: 'FJC2 - Psychoeducational Assessment Practices and IEP Development/Implementation - Psychoeducational Assessment Practices and IEP'
  ➜ Skipping stray line: 'Development/Implementation prepares students to apply knowledge the IEP as they work with students who have mild to moderate disabilities in a'
  ➜ Skipping stray line: 'wide variety of possible situations, all with an emphasis on cross-categorical inclusion. It helps students gain fluency in their understanding of the 13'
  ➜ Skipping stray line: 'disability categories, assessment, curriculum, and instruction.'
  ➜ Skipping stray line: 'FLC1 - Instructional Models and Design, Supervision and Culturally Response Teaching - Instructional Models and Design, Supervision and'
  ➜ Skipping stray line: 'Culturally Response Teaching helps students understand the role of special education in the development of instruction, why this field exists separate'
  ➜ Skipping stray line: 'from and in conjunction with general education, where it is going, and how they can help coordinate inclusion for students. Students will gain expertise'
  ➜ Skipping stray line: 'in developing instructional, curricular, and environmental interventions based on assessment data and student need.'
  ➜ Skipping stray line: 'FLC2 - Instructional Models and Design, Supervision and Culturally Responsive Teaching - Instructional Models and Design, Supervision and'
  ➜ Skipping stray line: 'Culturally Responsive Teaching helps students understand the role of special education in the development of instruction, why this field exists'
  ➜ Skipping stray line: 'separate from and in conjunction with general education, where it is going, and how they can help coordinate inclusion for students. Students will gain'
  ➜ Skipping stray line: 'expertise in developing instructional, curricular, and environmental interventions based on assessment data and student need.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 172'
  ➜ Skipping stray line: 'FVC1 - Global Business - This course provides an introduction to global business. The advantages of global production and the benefits of trade are'
  ➜ Skipping stray line: 'critical aspects of global business. Many factors influence global business, such as transparency, geography, corruption, intellectual property'
  ➜ Skipping stray line: 'protections, outsourcing and off-shoring, operation management, and generally accepted accounting principles.'
  ➜ Skipping stray line: 'FXT2 - Disaster Recovery Planning, Prevention and Response - This course prepares students to plan and execute industry best practices related'
  ➜ Skipping stray line: 'to conducting organization-wide information assurance initiatives and to preparing an organization for implementing a comprehensive Information'
  ➜ Skipping stray line: 'Assurance Management program.'
  ➜ Skipping stray line: 'HMP1 - Cases in Advanced Human Resource Management - During Cases in Advanced Human Resource Management students apply their'
  ➜ Skipping stray line: 'knowledge of human resource management by completing a case study. Students will apply critical human resource strategies in the areas of'
  ➜ Skipping stray line: 'legal/regulatory compliance, recruitment and selection of personnel, performance and feedback mechanisms, and financial and benefits'
  ➜ Skipping stray line: 'compensation.'
  ➜ Skipping stray line: 'IDC1 - Foundations of Instructional Design - Foundations of Instructional Design provides an overview of how to select the most appropriate'
  ➜ Skipping stray line: 'learning theories, design processes, and instructional strategies based on learner audience, instructional setting, and current and desired state of'
  ➜ Skipping stray line: 'learning.'
  ➜ Skipping stray line: 'IYT2 - Introduction to Curriculum Theory - For over 200 years, educators in the United States have debated the purpose of education. Should'
  ➜ Skipping stray line: 'education be for enlightenment or to prepare students for the life of work? Should education be for many or for a select few? These questions continue'
  ➜ Skipping stray line: 'to be debated today. Through curriculum theory and reflection, educators have an educational framework by which to understand how theory and'
  ➜ Skipping stray line: 'one's philosophical views can impact the design, development, and implementation of curriculum and instruction. With this in mind, Introduction to'
  ➜ Skipping stray line: 'Curriculum Theory focuses on exploring and applying an understanding of Scholar Academic, Social Efficiency, Learner Centered, and Social'
  ➜ Skipping stray line: 'Reconstruction ideologies in various instructional settings and on the development on one’s own curriculum philosophy.'
  ➜ Skipping stray line: 'IZT2 - Learning Theories - Learning Theories focuses on the complexity of the current learning environment and how behaviorism, cognitivism,'
  ➜ Skipping stray line: 'constructivism, and personal learning philosophy can assist in the development of appropriate curriculum and instruction.'
  ➜ Skipping stray line: 'JIT2 - Risk Management - Content focuses on categorizing levels of risk and understanding how risk can impact the operations of the business'
  ➜ Skipping stray line: 'through a scenario involving the creation of a risk management program and business continuity program for a company and a business situation'
  ➜ Skipping stray line: 'reacting to a crisis/disaster situation affecting the company.'
  ➜ Skipping stray line: 'JNT2 - Instructional Design Analysis - Instructional Design Analysis focuses on using analysis of needs to determine the needs and interests of'
  ➜ Skipping stray line: 'learners, and scope and sequence for developing a logical approach for an education program to formulate appropriate and measurable program'
  ➜ Skipping stray line: 'objectives.'
  ➜ Skipping stray line: 'JOT2 - Issues in Instructional Design - Issues in Instructional Design focuses on learning theories, learner analysis, scope and sequence,'
  ➜ Skipping stray line: 'instructional strategies, task analysis and design theories, media and technology foundations, and adaptive technologies for special populations for'
  ➜ Skipping stray line: 'creating effective, well-articulated, and efficient instruction.'
  ➜ Skipping stray line: 'JPT2 - Instructional Design Production - Instructional Design Production focuses on the application of a systematic process of instructional design,'
  ➜ Skipping stray line: 'namely the concepts and procedure for analyzing and designing successful instruction. This course will prepare students to conduct a goal analysis, a'
  ➜ Skipping stray line: 'process used to identify instructional goals, as well as a task analysis, which is used to determine the skills and knowledge required to accomplish'
  ➜ Skipping stray line: 'those goals. This course also focuses on writing performance objectives, designing assessments, and developing instruction that incorporates relevant'
  ➜ Skipping stray line: 'learning theories. Methods for formatively evaluating a unit of instruction are also introduced. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'JQT2 - Issues in Measurement and Evaluation - Issues in Measurement and Evaluation focuses on the understanding of formative and summative'
  ➜ Skipping stray line: 'evaluation, quantitative and qualitative data collection tools, including rubrics and the processes of evaluation.'
  ➜ Skipping stray line: 'JRT2 - Evaluation Methodology and Instrumentation - Evaluation Methodology and Instrumentation focuses on using qualitative and quantitative'
  ➜ Skipping stray line: 'data collection tools and techniques to construct and evaluate valid and reliable measuring instruments.'
  ➜ Skipping stray line: 'JST2 - Evaluation Process and Recommendation - Evaluation Process and Recommendation focuses on implementing and interpreting an'
  ➜ Skipping stray line: 'evaluation and the reporting of the results and recommendations to stakeholders.'
  ➜ Skipping stray line: 'JWT2 - Instructional Theory - Instructional Theory focuses on exploring instructional design theory and related models and processes. Students will'
  ➜ Skipping stray line: 'apply instructional design principles to the design and delivery of plans to meet the learning needs found in the instructional setting.'
  ➜ Skipping stray line: 'JXT2 - Educational Psychology - Educational Psychology examines the latest findings in child and adolescent development and provides educators'
  ➜ Skipping stray line: 'the opportunity to apply educational psychology to various instructional settings. Students will explore the areas of applied educational psychology to'
  ➜ Skipping stray line: 'teaching, cognitive development, social development, and cultural development. They will design, develop, modify, and evaluate curriculum and'
  ➜ Skipping stray line: 'instruction in various educational settings according to child/adolescent development.'
  ➜ Skipping stray line: 'JYT2 - Curriculum Design - Curriculum Design focuses on exploring curriculum design theory, educational standards, and design frameworks for'
  ➜ Skipping stray line: 'what to teach. Together these topics will provide educators with the ability to take principles of curriculum design theory and related models and apply'
  ➜ Skipping stray line: 'them when developing, designing, and modifying curriculum to meet learning needs in their instructional setting.'
  ➜ Skipping stray line: 'JZT2 - Curriculum Evaluation - Curriculum Evaluation focuses on exploring evaluation systems and student data to determine the effectiveness of'
  ➜ Skipping stray line: 'curriculum. It also focuses on differentiating curriculum based on student data.'
  ➜ Skipping stray line: 'KAT2 - Assessment for Student Learning - Assessment for Student Learning focuses on developing the knowledge and skills to identify, develop,'
  ➜ Skipping stray line: 'and design instrument tools for evaluating student learning. It also explores the use of objective and performance-based, formative, and summative'
  ➜ Skipping stray line: 'assessments and their results in the evaluation of curriculum and instruction for student learning.'
  ➜ Skipping stray line: 'KBT2 - Differentiated Instruction - Differentiated Instruction focuses on developing and implementing curriculum and instruction that that best meets'
  ➜ Skipping stray line: 'the needs of all learners within a given instructional setting.'
  ➜ Skipping stray line: 'LEC1 - Comprehensive Educational Leadership Integration - You will complete a comprehensive objective proctored assessment in Educational'
  ➜ Skipping stray line: 'Leadership theory and practices, including administrative theory, school law, school finance, curriculum development and implementation, personnel'
  ➜ Skipping stray line: 'management, public relations, and technology. You will be required to pass the Comprehensive Educational Leadership Integration objective'
  ➜ Skipping stray line: 'assessment.'
  ➜ Skipping stray line: 'LFT1 - Student, Stakeholder, and Market Focus for Educational Leaders - This subdomain reviews principles and practices of meeting'
  ➜ Skipping stray line: 'stakeholder needs and reviews your case study site’s effectiveness in managing stakeholder relationships.'
  ➜ Skipping stray line: 'LMT1 - Measurement, Analysis, and Knowledge Management for Educational Leaders - This subdomain reviews principles and practices of'
  ➜ Skipping stray line: 'program and curriculum effectiveness evaluation as well as best practices in technology for educational leaders. You also complete a program,'
  ➜ Skipping stray line: 'practice, or curriculum effectiveness evaluation in your case study site as well as an evaluation of technology implementation.'
  ➜ Skipping stray line: 'LNT1 - Process Management for Educational Leaders - This subdomain reviews best practices in process management for educational leaders, as'
  ➜ Skipping stray line: 'well as an evaluation of your case study site’s process management policies and practices.'
  ➜ Skipping stray line: 'LPA1 - Language Production, Theory and Acquisition - Language Production, Theory and Acquisition focuses on describing and understanding'
  ➜ Skipping stray line: 'language and the development of language. It includes the study of acquisition theory, grammar, and applied phonetics.'
  ➜ Skipping stray line: 'LPT1 - Performance Excellence Criteria for Educational Leaders - This subdomain reviews the case study model and prepares you to complete a'
  ➜ Skipping stray line: 'thorough review of the effectiveness of their case study site’s operations, outcomes, and leadership.'
  ➜ Skipping stray line: 'LQT2 - Information Security and Assurance Capstone Project - Students will be able to choose from three areas of emphasis, depending on'
  ➜ Skipping stray line: 'personal and professional interests. Students will complete a capstone project that deals with a significant real-world business problem that further'
  ➜ Skipping stray line: 'integrates the components of the degree. Capstone projects will require an oral defense before a committee of WGU faculty.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 173'
  ➜ Skipping stray line: 'LRT1 - Practicum in Educational Leadership - Foundational Perspectives of Education includes a series of performance tasks to take place under'
  ➜ Skipping stray line: 'the leadership of a practicing state licensed school principal or assistant principal in a practicum school site (K–12). This assessment also includes'
  ➜ Skipping stray line: 'completion of assigned administrative duties to take place in both elementary (K–6) and secondary (7–12) settings under the leadership and'
  ➜ Skipping stray line: 'supervision of the cooperating administrator in your case study school site. Practicum requirements vary by state of intended licensure and WGU'
  ➜ Skipping stray line: 'program requirements, and the standard has been set between 275 and 540 of logged practicum activities that span a minimum of six consecutive'
  ➜ Skipping stray line: 'months. Please refer back to the WGU Student Handbook for reference of your program requirements. You are required to pass the Practicum in'
  ➜ Skipping stray line: 'Educational Leadership performance assessments and successfully submit other documentation, including evaluations of your performance'
  ➜ Skipping stray line: 'completed by the cooperating administrator and documentation of completion of state-required hours of assigned administrative duties. The'
  ➜ Skipping stray line: 'Educational Leadership Practicum requires a practicum fee. During the Educational Leadership Practicum, you are also expected to take and pass'
  ➜ Skipping stray line: 'your state's licensure examination(s) required for certification as a school principal and the PRAXIS 5411 Educational Leadership: Administration and'
  ➜ Skipping stray line: 'Supervision exam.'
  ➜ Skipping stray line: 'LST1 - Strategic Planning for Educational Leaders - This subdomain reviews principles and practices of the strategic planning process as well as a'
  ➜ Skipping stray line: 'case study review of the strategic planning processes in your case study site.'
  ➜ Skipping stray line: 'LWT1 - Workforce Focus for Educational Leaders - This subdomain reviews best practices in human resource administration for educational'
  ➜ Skipping stray line: 'leaders, as well as an evaluation of your case study site’s workforce management practices.'
  ➜ Skipping stray line: 'LZT2 - Power, Influence and Leadership - This course focuses on the development of the critical leadership and soft skills necessary for success in'
  ➜ Skipping stray line: 'information technology leadership and management. The course focuses specifically on skills such as cultivating effective leadership communication,'
  ➜ Skipping stray line: 'building personal influence, enhancing emotional intelligence (soft skills), generating ideas and encouraging idea generation in others, conflict'
  ➜ Skipping stray line: 'resolution, and positioning oneself as an influential change agent within different organizational cultures.'
  ➜ Skipping stray line: 'MAT2 - Information Technology Management - This course will prepare students to cope with information technology resources in a manner'
  ➜ Skipping stray line: 'beneficial to their company. Such skill includes estimating both the cost and value of IT to the company, setting priorities for project selection,'
  ➜ Skipping stray line: 'management of IT projects, and handling risk. These responsibilities imply an ability to align technology with an organization’s strategic goals. In total,'
  ➜ Skipping stray line: 'students will develop the ability to effectively administer and manage current and emerging technologies within an organization.'
  ➜ Skipping stray line: 'MBT2 - Technological Globalization - This course is designed to equip students to better understand the fundamental, galvanizing and'
  ➜ Skipping stray line: 'transformational role of advanced IT communications, networks and services in all major industries; advanced IT is an unparalleled force multiplier in'
  ➜ Skipping stray line: 'scientific research, energy production and use, health and medicine. IT is a critical resource in the global community, economically, socially, politically'
  ➜ Skipping stray line: 'and culturally.'
  ➜ Skipping stray line: 'MCT2 - Technical Writing - As IT professionals are frequently required to interface with customers, clients, other departments, organizational leaders,'
  ➜ Skipping stray line: 'and even other institutions, strong communication skills are vital. In this course, students learn to communicate accurately, effectively, and ethically to'
  ➜ Skipping stray line: 'a variety of audiences. Students design communication to fit oral, print, and multi-media contexts. They develop rhetorical sensitivity in both their'
  ➜ Skipping stray line: 'writing and their design decisions.'
  ➜ Skipping stray line: 'MEC1 - Foundations of Measurement and Evaluation - Foundations of Measurement and Evaluation focuses on assessment validity, constructing'
  ➜ Skipping stray line: 'reliable test instruments, identifying appropriate item and instrument types, qualitative data collection tools and techniques, and conducting a formative'
  ➜ Skipping stray line: 'and summative evaluation for an instruction product or program.'
  ➜ Skipping stray line: 'MFT2 - Mathematics (K-6) Portfolio Oral Defense - Mathematics (K-6) Portfolio Oral Defense: Mathematics (K-6) Portfolio Defense focuses on a'
  ➜ Skipping stray line: 'formal presentation. The student will present an overview of their teacher work sample (TWS) portfolio discussing the challenges they faced and how'
  ➜ Skipping stray line: 'they determined whether their goals were accomplished. They will explain the process they went through to develop the TWS portfolio and reflect on'
  ➜ Skipping stray line: 'the methodologies and outcomes of the strategies discussed in the TWS portfolio. Additionally, they will discuss the strengths and weaknesses of'
  ➜ Skipping stray line: 'those strategies and how they can apply what they learned from the TWS portfolio in their professional work environment.'
  ➜ Skipping stray line: 'MGT2 - IT Project Management - IT Project Management provides an overview of the Project Management Institute’s project management'
  ➜ Skipping stray line: 'methodology. Topics cover various process groups and knowledge areas and application of knowledge in case studies for planning a project that has'
  ➜ Skipping stray line: 'not started yet and monitoring/controlling a project that is already underway.'
  ➜ Skipping stray line: 'MMT2 - IT Strategic Solutions - In IT Strategic Solutions the learner will have the opportunity to identify strategic opportunities and emerging'
  ➜ Skipping stray line: 'technologies as they research and decide on a system to support a growing company. Topics will include technology strategy; gap analysis;'
  ➜ Skipping stray line: 'researching new technology; strengths, opportunities, weaknesses, and threats; ethics; risk mitigation; data security, communication plans; and'
  ➜ Skipping stray line: 'globalization.'
  ➜ Skipping stray line: 'NHC1 - Introduction to Instructional Planning and Presentation - Students will develop a basic understanding of effective instructional principles'
  ➜ Skipping stray line: 'and how to differentiate instruction in order to elicit powerful teaching in the classroom.'
  ➜ Skipping stray line: 'NMA1 - Professional Role of the ELL Teacher - The Professional Role of the ELL Teacher focuses on issues of professionalism for the English'
  ➜ Skipping stray line: 'Language Learning teacher and leader. This includes program development, ethics, engagement in professional organizations, serving as a resource,'
  ➜ Skipping stray line: 'and ELL advocacy.'
  ➜ Skipping stray line: 'NNA1 - Planning, Implementing, Managing Instruction - Planning, Implementing, Managing Instruction focuses on a variety of philosophies and'
  ➜ Skipping stray line: 'grade levels of English Language Learner (ELL) instruction. It includes the study of ELL listening and speaking, ELL reading and writing, specially'
  ➜ Skipping stray line: 'designed academic instruction in English (SDAIE), and specific issues for various grade level instruction.'
  ➜ Skipping stray line: 'OOT2 - Mathematics History and Technology - Mathematics History and Technology introduces a variety of technological tools for doing'
  ➜ Skipping stray line: 'mathematics, and you will develop a broad understanding of the historical development of mathematics. You will come to understand that'
  ➜ Skipping stray line: 'mathematics is a very human subject that comes from the macro-level sweep of cultural and societal change, as well as the micro-level actions of'
  ➜ Skipping stray line: 'individuals with personal, professional, and philosophical motivations. Most importantly, you will learn to evaluate and apply technological tools and'
  ➜ Skipping stray line: 'historical information to create an enriching student-centered mathematical learning environment. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'OPT2 - Mathematics Learning and Teaching - Mathematics Learning and Teaching will help you develop the knowledge and skills necessary to'
  ➜ Skipping stray line: 'become a prospective and practicing educator. You will be able to use a variety of instructional strategies to effectively facilitate the learning of'
  ➜ Skipping stray line: 'mathematics. This course focuses on selecting appropriate resources, using multiple strategies, and instructional planning, with methods based on'
  ➜ Skipping stray line: 'research and problem solving. A deep understanding of the knowledge, skills, and disposition of mathematics pedagogy is necessary to become an'
  ➜ Skipping stray line: 'effective secondary mathematics educator. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'PFHM - Business - HR Management Portfolio Requirement - Students prepare a culminating professional portfolio to demonstrate the'
  ➜ Skipping stray line: 'competencies they have learned throughout their program. The portfolio includes a strengths essay, a career report, a reflection essay, a résumé, and'
  ➜ Skipping stray line: 'exhibits demonstrating personal strengths in the work place.'
  ➜ Skipping stray line: 'PFIT - Business - IT Management Portfolio Requirement - Business - IT Management Portfolio Requirement is designed to help the learner'
  ➜ Skipping stray line: 'complete the culminating Undergraduate Business Portfolio assessment; it focuses on developing a business portfolio containing a strengths essay, a'
  ➜ Skipping stray line: 'career report, a reflection essay, a resume, and exhibits that support one’s strengths in the work place.'
  ➜ Skipping stray line: 'QDT1 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'
  ➜ Skipping stray line: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'
  ➜ Skipping stray line: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'
  ➜ Skipping stray line: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'
  ➜ Skipping stray line: 'Algebra is a prerequisite for this course.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 174'
  ➜ Skipping stray line: 'QDT2 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'
  ➜ Skipping stray line: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'
  ➜ Skipping stray line: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'
  ➜ Skipping stray line: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'
  ➜ Skipping stray line: 'Algebra is a prerequisite for this course.'
  ➜ Skipping stray line: 'QET1 - Business - HR Management Capstone Project - For the Business - HR Management Capstone Project students will integrate and'
  ➜ Skipping stray line: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ➜ Skipping stray line: 'professional field. A comprehensive business plan is developed for a company that offers HR products or services. The business plan includes a'
  ➜ Skipping stray line: 'market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ➜ Skipping stray line: 'QFT1 - Business - IT Management Capstone Project - The capstone requires students to demonstrate the integration and synthesis of'
  ➜ Skipping stray line: 'competencies in all domains required for the degree in Information Technology Management. The student produces a business plan for a start-up'
  ➜ Skipping stray line: 'company that is selected and approved by the student and mentor.'
  ➜ Skipping stray line: 'QGT1 - Business Management Capstone Written Project - For the Business Management Capstone Written Project students will integrate and'
  ➜ Skipping stray line: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ➜ Skipping stray line: 'professional field. A comprehensive business plan is developed for a company that plans to sell a product or service in a local market, national'
  ➜ Skipping stray line: 'market, or on the Internet. The business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to'
  ➜ Skipping stray line: 'the chosen company.'
  ➜ Skipping stray line: 'QHT1 - Business Management Tasks - Business Management Tasks addresses important concepts needed to effectively manage a'
  ➜ Skipping stray line: 'business. Topics include the cost-quality relationship, the use of various types of graphical charts in operations management, managing innovation,'
  ➜ Skipping stray line: 'and developing strategies for working with individuals and groups.'
  ➜ Skipping stray line: 'QIT1 - Business Marketing Management Capstone Written Project - For the Business Marketing Management Capstone Project students will'
  ➜ Skipping stray line: 'integrate and synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their'
  ➜ Skipping stray line: 'chosen professional field. A comprehensive business plan is developed for a company that provides some type of marketing product or service. The'
  ➜ Skipping stray line: 'business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ➜ Skipping stray line: 'QJT2 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to use'
  ➜ Skipping stray line: 'differential calculus of one variable and appropriate technology to solve basic problems. Topics include graphing functions and finding their domains'
  ➜ Skipping stray line: 'and ranges; limits, continuity, differentiability, visual, analytical, and conceptual approaches to the definition of the derivative; the power, chain, and'
  ➜ Skipping stray line: 'sum rules applied to polynomial and exponential functions, position and velocity; and L'Hopital's Rule. Candidates should have completed a course in'
  ➜ Skipping stray line: 'Pre-Calculus before engaging in this course.'
  ➜ Skipping stray line: 'QTT2 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ➜ Skipping stray line: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ➜ Skipping stray line: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ➜ Skipping stray line: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'RKT1 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ➜ Skipping stray line: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ➜ Skipping stray line: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ➜ Skipping stray line: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ➜ Skipping stray line: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ➜ Skipping stray line: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'RKT2 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ➜ Skipping stray line: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ➜ Skipping stray line: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ➜ Skipping stray line: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ➜ Skipping stray line: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ➜ Skipping stray line: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'RNT1 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ➜ Skipping stray line: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ➜ Skipping stray line: 'RNT2 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ➜ Skipping stray line: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ➜ Skipping stray line: 'RXT2 - Precalculus and Calculus - Precalculus and Calculus provides instruction in precalculus and calculus and applies them to examples found in'
  ➜ Skipping stray line: 'both mathematics and science. Topics in precalculus include principles of trigonometry, mathematical modeling, and logarithmic, exponential,'
  ➜ Skipping stray line: 'polynomial, and rational functions. Topics in calculus include conceptual knowledge of limit, continuity, differentiability, and integration.'
  ➜ Skipping stray line: 'SJT2 - Advanced Networking Technology - This course prepares students to support the ever growing interconnectivity needs of organizations.'
  ➜ Skipping stray line: 'Students will learn about advanced networking concepts, devices and strategies to provide superior network connectivity to organizations. A review of'
  ➜ Skipping stray line: 'common yet critical network devices and technologies will be provided such as switches, routers, hubs, firewalls, T-1s, ATM, fiber and others.'
  ➜ Skipping stray line: 'Students will also be prepared to review existing network environments and provide specifications to upgrade and enhance such networks.'
  ➜ Skipping stray line: 'SLO1 - Theories of Second Language Acquisition and Grammar - Theories of Second Language Learning Acquisition and Grammar covers'
  ➜ Skipping stray line: 'content material in applied linguistics, including morphology, syntax, semantics, and grammar. Students will explore the role of dialect in the'
  ➜ Skipping stray line: 'classroom, the connections between language and culture, and the theories of first and second language acquisition.'
  ➜ Skipping stray line: 'TAT2 - Technology Production - Technology Production focuses on the foundations of media and technology, integrated technology development,'
  ➜ Skipping stray line: 'and the integration of technology into appropriate instructional uses of productivity, and applying different research applications in the learning'
  ➜ Skipping stray line: 'environment.'
  ➜ Skipping stray line: 'TDT1 - Technology Design Portfolio - Technology Design Portfolio focuses on gaining a broad overview of the field of technology integration with a'
  ➜ Skipping stray line: 'fundamental understanding of some key concepts and principles, and enhancing technology skills to enable the producing of exportable instructional'
  ➜ Skipping stray line: 'and professional products using various integrated application programs.'
  ➜ Skipping stray line: 'TET1 - Issues in Technology Integration - Issues in Technology Integration focuses on the legal and ethical practice of technology, some personal'
  ➜ Skipping stray line: 'uses of electronic resources, the need for protection of information, the foundations of media and technology, what electronic learning communities'
  ➜ Skipping stray line: 'are, and the adaptive technologies for special populations.'
  ➜ Skipping stray line: 'TFT2 - Cyberlaw, Regulations, and Compliance - Cyberlaw, Regulations and Compliance prepares students to participate in legal analysis of'
  ➜ Skipping stray line: 'relevant cyberlaws and address governance, standards, policies, and legislation. Students will conduct a security risk analysis for an enterprise'
  ➜ Skipping stray line: 'system. In addition, students will determine cyber requirements for third‐party vendor agreements. Students will also evaluate provisions of both the'
  ➜ Skipping stray line: '2001 and 2006 USA PATRIOT Acts.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 175'
  ➜ Skipping stray line: 'TOC2 - Probability and Statistics I - Probability and Statistics I covers the knowledge and skills necessary to apply basic probability, descriptive'
  ➜ Skipping stray line: 'statistics, and statistical reasoning, and to use appropriate technology to model and solve real-life problems. It provides an introduction to the science'
  ➜ Skipping stray line: 'of collecting, processing, analyzing, and interpreting data. Topics include creating and interpreting numerical summaries and visual displays of data;'
  ➜ Skipping stray line: 'regression lines and correlation; evaluating sampling methods and their effect on possible conclusions; designing observational studies, controlled'
  ➜ Skipping stray line: 'experiments, and surveys; and determining probabilities using simulations, diagrams, and probability rules. College Algebra is a prerequisite for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'TQC1 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Skipping stray line: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Skipping stray line: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Skipping stray line: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Skipping stray line: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Skipping stray line: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Skipping stray line: 'TQC2 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Skipping stray line: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Skipping stray line: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Skipping stray line: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Skipping stray line: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Skipping stray line: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Skipping stray line: 'TSC2 - General Chemistry I - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Skipping stray line: 'solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic table and chemical'
  ➜ Skipping stray line: 'nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work focuses on using'
  ➜ Skipping stray line: 'effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TSP1 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Skipping stray line: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Skipping stray line: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TSP2 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Skipping stray line: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Skipping stray line: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TUC2 - General Chemistry II - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Skipping stray line: 'solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models, oxidation-reduction'
  ➜ Skipping stray line: 'reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on using effective'
  ➜ Skipping stray line: 'laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TUP1 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Skipping stray line: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Skipping stray line: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TUP2 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Skipping stray line: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Skipping stray line: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TVT2 - Governance, Finance, Law, and Leadership for Principals - This subdomain contains content in educational law, finance, and'
  ➜ Skipping stray line: 'administration as well as a case study review of your site’s leadership practices.'
  ➜ Skipping stray line: 'UFC1 - Managerial Accounting - This course focuses on identifying, gathering, and interpreting information that will be used for evaluating and'
  ➜ Skipping stray line: 'managing the performance of a business. Students will also study cost measurement for producing goods and services and how to analyze and'
  ➜ Skipping stray line: 'control these costs.'
  ➜ Skipping stray line: 'UQT1 - Organic Chemistry - This course focuses on the study of compounds that contain carbon, much of which is learning how to organize and'
  ➜ Skipping stray line: 'group these compounds based on common bonds found within them in order to predict their structure, behavior, and reactivity.'
  ➜ Skipping stray line: 'VLT2 - Security Policies and Standards - Best Practices - This course focuses on the practices of planning and implementing organization-wide'
  ➜ Skipping stray line: 'security and assurance initiatives as well as auditing assurance processes.'
  ➜ Skipping stray line: 'VYC1 - Principles of Accounting - Principles of Accounting focuses on ways in which accounting principles are used in business operations.'
  ➜ Skipping stray line: 'Students will learn about the basics of accounting, including how to use Generally Accepted Accounting Principles (GAAP), ledgers, and journals.'
  ➜ Skipping stray line: 'Students will also be introduced to the steps of the accounting cycle, concepts of assets and liabilities, and general information about accounting'
  ➜ Skipping stray line: 'information systems. This course also presents bank reconciliation methods, balance sheets, and business ethics.'
  ➜ Skipping stray line: 'VZT1 - Marketing Applications - Marketing Applications allows students to apply their knowledge of core marketing principles by creating a'
  ➜ Skipping stray line: 'comprehensive marketing plan. Their plan will apply their knowledge of the marketing planning process, market analysis, and the marketing mix'
  ➜ Skipping stray line: '(product, place, promotion, and price).'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 176'
  ➜ Skipping stray line: 'Course Mentor Directory'
  ➜ Skipping stray line: 'General Education'
  ➜ Skipping stray line: 'Adams, William; M.A., Savanah College of Art and Design'
  ➜ Skipping stray line: 'Aguirre, Jennifer; M.S., Walden University'
  ➜ Skipping stray line: 'Akens, Jonne; Ph. D., Texas A&M University'
  ➜ Skipping stray line: 'Alexander, Ledora; Ed.S., Walden University'
  ➜ Skipping stray line: 'Ashe, James; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Barnes, Lauri; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Baty, Amanda; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Benson, Bryan; Ph.D., Boston College'
  ➜ Skipping stray line: 'Bilbrey, Joshua; Ph.D., Texas State University'
  ➜ Skipping stray line: 'Borden, Anne; Ph.D., Emory University'
  ➜ Skipping stray line: 'Brewer, Craig: Ph.D., University of Notre Dame'
  ➜ Skipping stray line: 'Brown, Bonnie; Ph.D., Stephen F. Austin State University'
  ➜ Skipping stray line: 'Browning, Ellen; Ph.D., University of Texas, Arlington'
  ➜ Skipping stray line: 'Buchanan, Tenielle; Ed.D., Lipscomb University'
  ➜ Skipping stray line: 'Byrnes, Sean; Ph.D., Emory University'
  ➜ Skipping stray line: 'Carmona, Karla; M.S., Western Governors University'
  ➜ Skipping stray line: 'Castaneda, Gilivaldo; M.Ed., University of Texas at San Antonio'
  ➜ Skipping stray line: 'Chaves Ulloa, Ramsa; Ph.D., Dartmouth College'
  ➜ Skipping stray line: 'Chittick, Sharla; Ph.D., University of Stirling'
  ➜ Skipping stray line: 'Condit, Lorna; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Cowan, Christy; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Crawford, Nathan; Ph.D., University of Tennessee-Knoxville'
  ➜ Skipping stray line: 'Crooks, Kathleen; Ph.D., University of Akron'
  ➜ Skipping stray line: 'Cross, Cameron; M.S., Kaplan University'
  ➜ Skipping stray line: 'Cureton, Sara; M.A., Gonzaga Univeristy'
  ➜ Skipping stray line: 'Cutler, Ned; Ph.D., Duke University'
  ➜ Skipping stray line: 'Dodge, Joshua; M.A., University of Central Florida'
  ➜ Skipping stray line: 'Dorre, Gina; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Douglas, Katherine; M.A., University of California, San Diego'
  ➜ Skipping stray line: 'Duff, Kandi; Ed.D., Idaho State University'
  ➜ Skipping stray line: 'Dungar, Michael; MA, Boston College'
  ➜ Skipping stray line: 'Edmunds, Jeffrey; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Evans, Robin; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Evenson Newhouse, Ranae; Ph.D., Vanderbilt University'
  ➜ Skipping stray line: 'Faucett, Jessica; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Fehnel, Bradley; M.S., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Fellow, Jill; M.S., Brigham Young University'
  ➜ Skipping stray line: 'Franco, Heidi; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Frusciante, Denise; Ph.D., University of Miami'
  ➜ Skipping stray line: 'Galindez, Dahlia; MA, Western Governors University'
  ➜ Skipping stray line: 'Gangaram, Jitendra; Ph.D., North Central University'
  ➜ Skipping stray line: 'Garrett, Janette; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Goodwin, Rachel; Ph.D., University of Texas'
  ➜ Skipping stray line: 'Gordon, Kelley; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Gravitte, Kristen; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Gradzielewski, Andrew; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Halula, Stephen; Ph.D., Marquette University'
  ➜ Skipping stray line: 'Harris, Steven; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Hartwick, Andromeda; Ph.D., University of Michigan'
  ➜ Skipping stray line: 'Hayne, Victoria; Ph.D., University of California - Los Angeles'
  ➜ Skipping stray line: 'Hernandez, Ali; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Hillyer, Aaron; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Horne, Lisa; M.A., Brigham Young University'
  ➜ Skipping stray line: 'Hurley, Norman; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Jensen, Taylor; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Johnson, Stephanie; MBA, Lindenwood University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 177'
  ➜ Skipping stray line: 'Jones, Lee; Ph.D., Clark Atlanta University'
  ➜ Skipping stray line: 'Kelley, Matthew; Ph.D., University of Nevada-Las Vegas'
  ➜ Skipping stray line: 'Kelly, Lynn; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Knieps, Linda; Ph.D., Vanderbilt University'
  ➜ Skipping stray line: 'Knous, Helen; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Landry, Stan; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Latham, Kary; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Lauren, Jennifer; Ph.D., Duquesne University'
  ➜ Skipping stray line: 'Leep, Matthew; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Lettau, Lisa; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Little, David; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Lukin, Kara; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Main, Daniel; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Mammen, John; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Mantooth, Stacy; Ph. D., University of Nevada – Las Vegas'
  ➜ Skipping stray line: 'Martin, Jonathan; M.A., West Virginia University'
  ➜ Skipping stray line: 'Mays, Ashley; Ph.D., University of North Carolina at Chapel Hill'
  ➜ Skipping stray line: 'McCune, Timothy; Ph.D., Youngstown State University'
  ➜ Skipping stray line: 'McWatters, Mason; Ph.D., University of Texas at Austin'
  ➜ Skipping stray line: 'Metoki, Kiyoko; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Meyer, Nicholas; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Miller, Don; Ph.D., Morehouse School of Medicine'
  ➜ Skipping stray line: 'Miller, Kathleen; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Moody, Vivian; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Mosgrove, Sharon; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Moss, Meg; Ph.D., University of Tennessee-Knoxville'
  ➜ Skipping stray line: 'Mzoughi, Taha; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Nelson, Angela; Ph.D., Cornell University'
  ➜ Skipping stray line: 'Nicley, Erinn; M.S., Florida State University'
  ➜ Skipping stray line: 'Norton, Cindy; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Olson, Nels; Ph.D., Michigan State University'
  ➜ Skipping stray line: 'Oulette, David; Ph.D., Virginia Commonwealth University'
  ➜ Skipping stray line: 'Palmer, Michael; M.F.A., University of Utah'
  ➜ Skipping stray line: 'Pankowski, Peg; Ed.D., Duquesne University'
  ➜ Skipping stray line: 'Parrish, Anca; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Parton, Sabrena; Ph.D., University of Southern Mississippi'
  ➜ Skipping stray line: 'Parvin, Kathleen; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Peppers, Shelitha; Ed.D., Maryville University'
  ➜ Skipping stray line: 'Perkins, Heidi; M.S., Excelsior College'
  ➜ Skipping stray line: 'Phillips, Dedra; M.A., Colorado Technical University'
  ➜ Skipping stray line: 'Potter, Christine; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Quintela, Melissa; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Radosavljevic, Alexander; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Redden, Cameron; MAT, Baldwin Wallace University'
  ➜ Skipping stray line: 'Redkey, Elizabeth; Ph.D., University at Albany, State University of New York'
  ➜ Skipping stray line: 'Remington, Theodore; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Rhodes, Kristofer; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Robinson, Ami; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Robinson, Jeffery; Ph.D., Drew University'
  ➜ Skipping stray line: 'Rosenblatt, Heather; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Rossi, Cynthia; Ph.D., University of Maryland'
  ➜ Skipping stray line: 'Saddler, Derrick; Ph.D., University of South Florida'
  ➜ Skipping stray line: 'Sanchez, Melvin; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Scheg, Abigail; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Scheib, Douglas; Ph.D., University of Miami'
  ➜ Skipping stray line: 'Scotece, Shannon; Ph.D., State University of New York - Albany'
  ➜ Skipping stray line: 'Shahi, Kimberley; Ph.D., University of Texas at Arlington'
  ➜ Skipping stray line: 'Sharpe, Robert; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Shimotsu-Dariol, Stephanie; Ph.D., West Virginia University'
  ➜ Skipping stray line: 'Simeon, Patricia; Ed.D., Grambling State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 178'
  ➜ Skipping stray line: 'Simmons, Nathaniel; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Smith, Tommie; MBA, Middle Tennessee State University'
  ➜ Skipping stray line: 'Springfield, Derriell; Ed.D., East Tennessee State University'
  ➜ Skipping stray line: 'St Martin, Ashley; M.S., University of Vermont'
  ➜ Skipping stray line: 'Stambaugh, Nathaniel; Ph.D., Brandeis University'
  ➜ Skipping stray line: 'Starr, Neil; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Timmer, Kristin; Ph.D., University of Tennessee Health Science Center'
  ➜ Skipping stray line: 'Tolin Schultz, Alexandra; Ph.D., Stony Brook University'
  ➜ Skipping stray line: 'Tucker, Diana; Ph.D., Southern Illinois University Carbondale'
  ➜ Skipping stray line: 'Tweedy, Joanna; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Verber, Jason; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Vida, Anna; M.A., Arizona State University'
  ➜ Skipping stray line: 'Walker, Hope; M.A., The American University'
  ➜ Skipping stray line: 'Weaver, Matthew; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Webb, James; M.A., Pacific University'
  ➜ Skipping stray line: 'Wellinghoff, Lisa; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Westmoreland, Brandi; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Whitson-Whennen, Tonya; M.M., University of Utah'
  ➜ Skipping stray line: 'Woolridge, Mary; Ph.D., University of Central Florida'
  ➜ Skipping stray line: 'Young, Michael; Ph.D., University of Missouri at Saint Louis'
  ➜ Skipping stray line: 'Zasadny, Jill; Ph.D., Kansas University'
  ➜ Skipping stray line: 'Teachers College'
  ➜ Skipping stray line: 'Aafif, Amal; Ph.D., Drexel University'
  ➜ Skipping stray line: 'Affleck, Alisa; M.A., Western Governors University'
  ➜ Skipping stray line: 'Allen, Elizabeth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Aranda, Christina; M.A., University of Utah'
  ➜ Skipping stray line: 'Aufderhaar, Carolyn; Ed.D., University of Cincinnati'
  ➜ Skipping stray line: 'Baxter, Marissa; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Belchik-Moser, Sara; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Betts, Anastasia; Ph.D., Regent University'
  ➜ Skipping stray line: 'Blanks, Dorothy; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Boen, Laurie; Ph.D., University of Arkansas'
  ➜ Skipping stray line: 'Boyd-Bradwell, Natasha; Ph.D., Capella University'
  ➜ Skipping stray line: 'Branan, Daniel; Ph.D., University of Denver'
  ➜ Skipping stray line: 'Branch, Leah; Ed.D., Bethel University'
  ➜ Skipping stray line: 'Brogan, Lynn; Ed.D., Columbia University'
  ➜ Skipping stray line: 'Brooks, Marlaina; Ed.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Calero, Lisa; Ph.D., Capella University'
  ➜ Skipping stray line: 'Carey, Kimberly; Ph.D., Old Dominion University'
  ➜ Skipping stray line: 'Cartwright, Nancy; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'Cohen, Kimberley; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Constanza, Michele; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Covey, Nicole; Ed.D., University of Memphis'
  ➜ Skipping stray line: 'Douglas, Deanna; Ph.D., Wichita State University'
  ➜ Skipping stray line: 'Dove, Teresa; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Dukes, Debra; Ed.D., University of Georgia'
  ➜ Skipping stray line: 'Durakiewicz, Anna; M.S., University of Marie Curie'
  ➜ Skipping stray line: 'Eisenhour, Melanie; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Feng, Suiping; Ph.D., City University of New York'
  ➜ Skipping stray line: 'Fillpot, Elsie; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Flavin, Kathryn; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Flores, Alberto; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Francis, David; M.A., Western Governors University'
  ➜ Skipping stray line: 'Giddens, Evelyn; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gillman, Brenna; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Gray-Dowdy, Audra; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Hall, Robert; Ph.D., Capella University'
  ➜ Skipping stray line: 'Halverson, Colleen; Ph.D., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Harbin, Lesley; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 179'
  ➜ Skipping stray line: 'Hardin, Bridgette; Ed.D., Texas A&M University-Corpus Christi'
  ➜ Skipping stray line: 'Hedman, Shawn; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Henry, Joanna; M.E., Lamar University'
  ➜ Skipping stray line: 'Hernandez, Julie; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Hiebel, Adam; Ed.D., Ohio University'
  ➜ Skipping stray line: 'Hudon-Miller, Sarah; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Hughes, Amy; Ed.D., University of Montana'
  ➜ Skipping stray line: 'Hutson, Tommye; Ed.D., Baylor University'
  ➜ Skipping stray line: 'Igbinoba-Cummings, Monique; Ph.D., Lynn University'
  ➜ Skipping stray line: 'Izumi, Alisa; Ed.D., University of Massachusetts'
  ➜ Skipping stray line: 'Jacobs, Patricia; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Janitzki, Dean; M.A., University of Toledo'
  ➜ Skipping stray line: 'Johnson, Sherri; Ph.D., Capella University'
  ➜ Skipping stray line: 'Jovic, Marko; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Kain, Meri; Ed.D., University of Missouri'
  ➜ Skipping stray line: 'Kelly, Gretchen; Ed.D., Walden University'
  ➜ Skipping stray line: 'Leinbach, William; Ed.D., Oregon State University'
  ➜ Skipping stray line: 'Lindemann, Steven; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Linkenhoker, Dina; Ed.D., Liberty University'
  ➜ Skipping stray line: 'Lipscomb, Pauline; Ed.D., University of the Cumberlands'
  ➜ Skipping stray line: 'Luster, Sandricia; Ed.S., Argosy University'
  ➜ Skipping stray line: 'McCarver, Patricia; Ph.D., California Institute of Integral Studies'
  ➜ Skipping stray line: 'McDaniel, Maryann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'McGrath Hovland, Michelle; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Mendes, John; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Miller, Esther; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Mills, Ginger; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Moore, Tontaleya; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Morgan, Matthew; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Mour, Jennifer; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Murray, Mary; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Obianyo, Obiamaka; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Odom, M. Katherine; Ph.D., University of South Alabama'
  ➜ Skipping stray line: 'O’Malley, Maureen; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Pack, Mamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Parry, Kelly; Ph.D., University of North Texas'
  ➜ Skipping stray line: 'Purnell, Courtney; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Quinn, Lori; M.A.Ed., Prairie View A&M University'
  ➜ Skipping stray line: 'Rahsaz, Jacqueline; M.A., University of California San Diego'
  ➜ Skipping stray line: 'Randonis, Jennifer; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Rawson, Robert; Ph.D., University of Texas Southwestern'
  ➜ Skipping stray line: 'Richen, Damara; Ed.D., Fielding Graduate University'
  ➜ Skipping stray line: 'Robles, Veronica; Ed.D., Arizona State University'
  ➜ Skipping stray line: 'Rogers, Carmelle; Ph.D., Kansas State University'
  ➜ Skipping stray line: 'Russell-Fry, Nancy; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Scales, Rebecca; M.A., Western Governors University'
  ➜ Skipping stray line: 'Schmidt, Stan; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Sepetys, Peggy; Ed.D., University of Michigan'
  ➜ Skipping stray line: 'Shrader, Vincent; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Silver, Jennifer; Ph.D., New York University'
  ➜ Skipping stray line: 'Sims, Rachel; Ed.D., Walden University'
  ➜ Skipping stray line: 'Smith, Janeal; Ph.D., Walden University'
  ➜ Skipping stray line: 'Spencer, Kristin; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Story, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Swenson, Karl; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Thompson, Julie; Ph.D., University of Rochester'
  ➜ Skipping stray line: 'Traub-Metlay, Suzanne; Ph.D., University of Pittsburg'
  ➜ Skipping stray line: 'Tresnak, Robyn; Ph.D., Walden University'
  ➜ Skipping stray line: 'Turner, Carmen; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Vickers, Paul; Ed.D., Stephen F. Austin State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 180'
  ➜ Skipping stray line: 'Walter-Sullivan, Earnestyne; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'Weinstein, Gideon; Ph.D., Indiana University Bloomington'
  ➜ Skipping stray line: 'Whitmire, Jane; Ph.D., University of Montana'
  ➜ Skipping stray line: 'Willey-Rendon, Ruby; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Williams, Lacey; Ed.D., Union Institute and University'
  ➜ Skipping stray line: 'Wisnosky, Marc; Ph.D., University of Pittsburgh'
  ➜ Skipping stray line: 'Yanusheva, Lidiya; Ed.D., Walden University'
  ➜ Skipping stray line: 'Yatherajam, Gayatri; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Zartman, Krista; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Zimmerli, Mandy; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'College of Business'
  ➜ Skipping stray line: 'Abubakari, Nina; J.D., Wayne State University'
  ➜ Skipping stray line: 'Adler, Kathleen; Ph.D., Southern Methodist University'
  ➜ Skipping stray line: 'Alafita, Theresa; Ph.D., George Washington University'
  ➜ Skipping stray line: 'Arenz, Russell; Ph.D., Colorado Technical University'
  ➜ Skipping stray line: 'Argiento, Steven; J.D., Pace University'
  ➜ Skipping stray line: 'Austin, Judy; MBA, Western Governors University'
  ➜ Skipping stray line: 'Baragoshi, Behroz; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Barton, Robert; Ed.S., Utah State University'
  ➜ Skipping stray line: 'Black, Hilda; Ph.D., Louisiana Tech University'
  ➜ Skipping stray line: 'Borch, Casey; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Boysen-Rotelli, Sheila; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Brownstein, Steven; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Carson, Pook; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Cassell, Kenneth; MBA, San Jose State University'
  ➜ Skipping stray line: 'Cherry, Patricia; Ph.D., Capella University'
  ➜ Skipping stray line: 'Clarke, Jeffrey; Ph.D., University of California-Los Angeles'
  ➜ Skipping stray line: 'Connor, Martin; J.D., University of North Dakota'
  ➜ Skipping stray line: 'Davis, Lorretta; Ph.D., Capella University'
  ➜ Skipping stray line: 'Davis, Mary; Ed.D., Central Michigan University'
  ➜ Skipping stray line: 'Doctorman, Lindsey; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Doren, Andrew; D.M., University of Maryland'
  ➜ Skipping stray line: 'Dula, Kimberly; Ph.D., Mercer University'
  ➜ Skipping stray line: 'Duran, Anthony; DBA, Grand Canyon University'
  ➜ Skipping stray line: 'Ennis, Erica; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Etter, Edwin; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Feehery, George; DBA, Nova Southeastern University'
  ➜ Skipping stray line: 'Fisher, Paul; Ph.D., Oregon State University'
  ➜ Skipping stray line: 'Gallo, Merry; DBA, Argosy University'
  ➜ Skipping stray line: 'Garland, Jennifer; DBA, Keiser University'
  ➜ Skipping stray line: 'Geddes, Bruce; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gilyot, Bianca; MBA, Northcentral University'
  ➜ Skipping stray line: 'Giscombe, Hilbert; DBA, Argosy University'
  ➜ Skipping stray line: 'Gough, Gregory; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Green, Maurice; Ph.D., University at Albany – State University of New York'
  ➜ Skipping stray line: 'Gunn, Linda; Ph.D., Union Institute and University'
  ➜ Skipping stray line: 'Havins, Merwin; Ed.D., Northern Arizona University'
  ➜ Skipping stray line: 'Heinzman, Joseph; DM, Colorado Technical University'
  ➜ Skipping stray line: 'Hon, Charles; Ph.D., Capella University'
  ➜ Skipping stray line: 'Hudson, Brandi; J.D., Regent University'
  ➜ Skipping stray line: 'Iannucci, Brian; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Imboden, Paul; DBA., Northcentral University'
  ➜ Skipping stray line: 'Jividen, Jim; J.D., Ohio Northern University'
  ➜ Skipping stray line: 'Jones, Alan; MBA, Dartmouth College'
  ➜ Skipping stray line: 'Justice, Jeanne; DBA, Walden University'
  ➜ Skipping stray line: 'Kale, Mrinalini; Ph.D., Capella University'
  ➜ Skipping stray line: 'Kenny, Timothy; M.S., Regis University'
  ➜ Skipping stray line: 'Kowalski, Christine; Ed.D., National Louis University'
  ➜ Skipping stray line: 'Kushniroff, Melinda; Ed.D., Liberty University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 181'
  ➜ Skipping stray line: 'La Hay, Ann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Lagroue, Harold; Ph.D., Louisiana State University'
  ➜ Skipping stray line: 'Lamer, Maryann; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Langdon, Debra; MBA, Denver University'
  ➜ Skipping stray line: 'Lutter-Cooper, Victoria; Ph.D., Capella University'
  ➜ Skipping stray line: 'Marshall, Mario; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'McClesky, Jamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'McNulty, Peggy; Ph.D., University of Colorado-Colorado Springs'
  ➜ Skipping stray line: 'Melton, Rebecca; Ph.D., Chicago School of Professional Psychology'
  ➜ Skipping stray line: 'Mills, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Moore, Detria; J.D., Liberty University'
  ➜ Skipping stray line: 'Neely, Cecil; MBA, University of North Carolina at Greensboro'
  ➜ Skipping stray line: 'Nelms, Linda; Ph.D., Capella University'
  ➜ Skipping stray line: 'Nelson, Camille; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'O’Brien, Joseph; Ed.D., George Washington University'
  ➜ Skipping stray line: 'Openshaw, Matthew; Ph.D., University of Texas at Dallas'
  ➜ Skipping stray line: 'Parish, Beth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Patterson, Julie; Ph.D., University of Illinois at Urbana-Champaign'
  ➜ Skipping stray line: 'Pawarski, Richard; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Phillips, Patti; J.D., Stetson University'
  ➜ Skipping stray line: 'Pratt, Christopher; DHA, University of Phoenix'
  ➜ Skipping stray line: 'Raimo, Steve; DSL, Regent University'
  ➜ Skipping stray line: 'Richardson, Shay; DBA, Walden University'
  ➜ Skipping stray line: 'Roberts, Tracia; M.S., University of Phoenix'
  ➜ Skipping stray line: 'Roberts, Wade; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Rogers, Katie; MBA, University of Utah'
  ➜ Skipping stray line: 'Sawant, Gauri; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Shah, Rob; MBA, DeVry University'
  ➜ Skipping stray line: 'Shepherd, Tracie; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Skinner, Susan; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Snipes, Dawna; J.D., Western Michigan University'
  ➜ Skipping stray line: 'Souder, Michele; MBA, University of Dayton'
  ➜ Skipping stray line: 'Spicer, Ronald; Ph.D., Capella University'
  ➜ Skipping stray line: 'Stewart, Michelle; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Strickland, Cynthia; Ph.D., Touro University International'
  ➜ Skipping stray line: 'Swarthout, Nanette; MBA, Fontbonne University'
  ➜ Skipping stray line: 'Tapp, Timothy; MHA, Washington University'
  ➜ Skipping stray line: 'Thomas, Melanie; J.D., University of North Carolina'
  ➜ Skipping stray line: 'Venkateswar, Sankaran; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Wachter, Eddie; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Wade, Keith; MBA, University of Detroit'
  ➜ Skipping stray line: 'Walker, Natalie; DBA, Keiser University'
  ➜ Skipping stray line: 'Wang, Xiaofei; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Williams, Pegeen; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Williams, Rian; MPA, University of Utah'
  ➜ Skipping stray line: 'Wood, Carrie; M.S., Strayer University'
  ➜ Skipping stray line: 'College of Information Technology'
  ➜ Skipping stray line: 'Al-Husaam, Abdul; Ph.D., Capella University'
  ➜ Skipping stray line: 'Alberici, Mary; Ph.D., University of Missouri-St. Louis'
  ➜ Skipping stray line: 'Allen, Candice; M.A., Capella University'
  ➜ Skipping stray line: 'Antonucci, Amy; M.S., University of Delaware'
  ➜ Skipping stray line: 'Banerjee, Pubali; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'Beverley, Charles; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Blanson, Constance; Ph.D., Capella University'
  ➜ Skipping stray line: 'Bojonny, John; M.S., Marywood University'
  ➜ Skipping stray line: 'Borsum, Pamela; MBA, Western Governors University'
  ➜ Skipping stray line: 'Campbell, Wendy; DBA, Northcentral University'
  ➜ Skipping stray line: 'Carter, Betty; M.S., Troy University'
  ➜ Skipping stray line: 'Cobbs, Dana; M.S., College of William and Mary'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 182'
  ➜ Skipping stray line: 'Cook, Henry; M.S., Clark Atlanta University'
  ➜ Skipping stray line: 'Crawford, Demetria; M.S., Boston University'
  ➜ Skipping stray line: 'Dupree, Yolanda; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Farmer, Jaynee; M.A., University of Arkansas at Little Rock'
  ➜ Skipping stray line: 'Ferdinand, Jeff; M.S., Trident University International'
  ➜ Skipping stray line: 'Gardner, Diana; MBA, Western Governors University'
  ➜ Skipping stray line: 'Garza, Brian; M.S., Western Governors University'
  ➜ Skipping stray line: 'Goodwin, Orenthio; Ph.D., Capella University'
  ➜ Skipping stray line: 'Heiner, Jenny; M.S., Capitol College'
  ➜ Skipping stray line: 'Huff, David; Ph.D., Wayne State University'
  ➜ Skipping stray line: 'Jensen, Bryan; M.S., Bellvue University'
  ➜ Skipping stray line: 'Kercher, Paul; M.S., Missouri University of Science and Technology'
  ➜ Skipping stray line: 'LaMolinare, Deana; M.S., Duquesne University'
  ➜ Skipping stray line: 'Lang, Cythia; MSCHe, University of Maryland'
  ➜ Skipping stray line: 'Lavieri, Edward; DCS, Colorado Technical University'
  ➜ Skipping stray line: 'Light, Gerri; M.S., Walden University'
  ➜ Skipping stray line: 'Lively, Charles; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'McFarlane, Michele; M.S., DeVry University'
  ➜ Skipping stray line: 'McLaughlin, Mike; M.S., University of Maine'
  ➜ Skipping stray line: 'Mendell, Ronald; M.S., Capitol College'
  ➜ Skipping stray line: 'Milham, Thomas; MNCM, DeVry University'
  ➜ Skipping stray line: 'Moore, Ronald; M.A., Troy University'
  ➜ Skipping stray line: 'Morrill, Ralph; Ph.D., North Central University'
  ➜ Skipping stray line: 'Ntinglet-Davis, Emelda; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Ozmer, Connie; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Paddock, Charles; Ph.D., University of Houston'
  ➜ Skipping stray line: 'Peterson, Michael; Ph.D., Capella University'
  ➜ Skipping stray line: 'Pinaire, Ken; MBA, University of Texas at Dallas'
  ➜ Skipping stray line: 'Rawlinson, David; J.D., South Texas College of Law'
  ➜ Skipping stray line: 'Schaefer, Brett; MBA, DeVry University'
  ➜ Skipping stray line: 'Shenk, Maria; M.S., City University of Seattle'
  ➜ Skipping stray line: 'Scutro, Rebecca; M.S., Saint Joseph’s University'
  ➜ Skipping stray line: 'Sewell, William; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Sher-DeCusatis, Carolyn; M.A., State University of New York at Stony Brook'
  ➜ Skipping stray line: 'Shields, Jessica; MFA, Savannah College of Art and Design'
  ➜ Skipping stray line: 'Sistelos, Antonio; Ph.D., Indiana State University'
  ➜ Skipping stray line: 'Stromberg, Scott; M.S., Nova Southeastern University'
  ➜ Skipping stray line: 'Swanson, Tom; Ph.D., Capella University'
  ➜ Skipping stray line: 'Taylor, Julinda; M.S., Wichita State University'
  ➜ Skipping stray line: 'Travis, Susan; M.A., University of Phoenix'
  ➜ Skipping stray line: 'College of Health Professions'
  ➜ Skipping stray line: 'Abdur-Rahman, Veronica; Ph.D., Texas Woman’s University'
  ➜ Skipping stray line: 'Abee, Debra; M.S., University of North Carolina Greensboro'
  ➜ Skipping stray line: 'Abraham, Gail; MSN/ED, University of Phoenix'
  ➜ Skipping stray line: 'Adams, Lora; M.S., Michigan State University'
  ➜ Skipping stray line: 'Adkins, Dee; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Allen, Juanita; DNP, University of Utah'
  ➜ Skipping stray line: 'Ashby, Shelley; DNP, University of Southern Indiana'
  ➜ Skipping stray line: 'Austgen, Donna; M.S., University of Indianapolis'
  ➜ Skipping stray line: 'Barber, Kendar; M.S., Indiana University'
  ➜ Skipping stray line: 'Battle, Linda; DNP, Regis College'
  ➜ Skipping stray line: 'Benoit, Heidi; M.S., Western Governors University'
  ➜ Skipping stray line: 'Benson, Johnett; DNP, Kent State University'
  ➜ Skipping stray line: 'Bergfeld, Marcia; M.S., Lourdes College'
  ➜ Skipping stray line: 'Berndt, Janeen; DNP, Valparaiso University'
  ➜ Skipping stray line: 'Blaine, Stephanie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Cain, Lyn; Ph.D., Grand Canyon University'
  ➜ Skipping stray line: 'Carney, Mary; DNP, Touro University – Nevada'
  ➜ Skipping stray line: 'Chau-Nguyen, Thao; MPH, Tulane University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 183'
  ➜ Skipping stray line: 'Cleveland, Melissa; DNP, Rocky Mountain University'
  ➜ Skipping stray line: 'Cloonan, Kelly; DNP, Case Western Reserve'
  ➜ Skipping stray line: 'Dahdal, Kimberly; M.S., Western Governors University'
  ➜ Skipping stray line: 'Dantzler, Barbara; Ph.D., Trident University'
  ➜ Skipping stray line: 'Diaz, Constance; Ph.D., University of Northern Colorado'
  ➜ Skipping stray line: 'Diaz, Lorna; DNP, Western University of Health Sciences'
  ➜ Skipping stray line: 'Dorin, Michelle; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Dush, Curtis; M.S., East Tennessee State University'
  ➜ Skipping stray line: 'Elmer, Justine; M.S., Kaplan University'
  ➜ Skipping stray line: 'Englert, Mary; DNP, University of North Florida'
  ➜ Skipping stray line: 'Feather, Rebecca; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Frankie, Sandra; M.S., Western Governors University'
  ➜ Skipping stray line: 'Gabel, Ann; M.S., University of Kansas'
  ➜ Skipping stray line: 'Gayol, Marcos; M.S., Aspen University'
  ➜ Skipping stray line: 'Giaquinto, Elisa; M.A., Brown University'
  ➜ Skipping stray line: 'Gogatz, Debra; DNP, Regis University'
  ➜ Skipping stray line: 'Golden, Christina; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Gottesfeld, Ilene; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Gwyn, Elizabeth; M.S., Winston Salem State University'
  ➜ Skipping stray line: 'Hadsell, Christine; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Hansen, Julie; Ph.D., South Dakota State University'
  ➜ Skipping stray line: 'Hartley-Clanton, Patricia; M.S., University of Utah'
  ➜ Skipping stray line: 'Hawkins, Shannon; M.S., Walden University'
  ➜ Skipping stray line: 'Heyer-Schmidt, Theres-Anne; ND, University of Colorado-Denver'
  ➜ Skipping stray line: 'Hill, Dana; Ph.D., Walden University'
  ➜ Skipping stray line: 'Hunt, Eleanor; M.S., Duke University'
  ➜ Skipping stray line: 'Johnson-Anderson, Heidi; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Kangas, Sandra; Ph.D., Georgia State University'
  ➜ Skipping stray line: 'Kogan, Lisa; M.S., Western Governors University'
  ➜ Skipping stray line: 'Langer Atkinson, Heidi; Ph.D., University of Albany'
  ➜ Skipping stray line: 'Lashlee, Marilyn; DNP, Northeastern University'
  ➜ Skipping stray line: 'Long, Jennifer; M.S., Indiana University'
  ➜ Skipping stray line: 'Marshall, Janet; Ph.D., Rush University'
  ➜ Title candidate: 'Masterson, Debra; Ed.D., Liberty University'
  ✔️ Collected description (40 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 6516: 'C877 - Mathematical Modeling and Applications - Mathematical Modeling and Applications applies mathematics, such as differential equations,'

🔍 parse_program: starting at line 6516: 'C877 - Mathematical Modeling and Applications - Mathematical Modeling and Applications applies mathematics, such as differential equations,'
  ➜ Title candidate: 'C877 - Mathematical Modeling and Applications - Mathematical Modeling and Applications applies mathematics, such as differential equations,'
  ❌ Invalid title line: 'C877 - Mathematical Modeling and Applications - Mathematical Modeling and Applications applies mathematics, such as differential equations,'
  ➜ Parsing at 6517: 'discrete structures, and statistics to formulate models and solve real-world problems. This course emphasizes improving students’ critical thinking to'

🔍 parse_program: starting at line 6517: 'discrete structures, and statistics to formulate models and solve real-world problems. This course emphasizes improving students’ critical thinking to'
  ➜ Title candidate: 'discrete structures, and statistics to formulate models and solve real-world problems. This course emphasizes improving students’ critical thinking to'
  ❌ Invalid title line: 'discrete structures, and statistics to formulate models and solve real-world problems. This course emphasizes improving students’ critical thinking to'
  ➜ Parsing at 6518: 'help them understand the process and application of mathematical modeling. Probability and Statistics II and Calculus II are prerequisites.'

🔍 parse_program: starting at line 6518: 'help them understand the process and application of mathematical modeling. Probability and Statistics II and Calculus II are prerequisites.'
  ➜ Title candidate: 'help them understand the process and application of mathematical modeling. Probability and Statistics II and Calculus II are prerequisites.'
  ❌ Invalid title line: 'help them understand the process and application of mathematical modeling. Probability and Statistics II and Calculus II are prerequisites.'
  ➜ Parsing at 6519: 'C878 - Mathematical Modeling and Applications - Mathematical Modeling and Applications applies mathematics, such as differential equations,'

🔍 parse_program: starting at line 6519: 'C878 - Mathematical Modeling and Applications - Mathematical Modeling and Applications applies mathematics, such as differential equations,'
  ➜ Title candidate: 'C878 - Mathematical Modeling and Applications - Mathematical Modeling and Applications applies mathematics, such as differential equations,'
  ❌ Invalid title line: 'C878 - Mathematical Modeling and Applications - Mathematical Modeling and Applications applies mathematics, such as differential equations,'
  ➜ Parsing at 6520: 'discrete structures, and statistics to formulate models and solve real-world problems. This course emphasizes improving students’ critical thinking to'

🔍 parse_program: starting at line 6520: 'discrete structures, and statistics to formulate models and solve real-world problems. This course emphasizes improving students’ critical thinking to'
  ➜ Title candidate: 'discrete structures, and statistics to formulate models and solve real-world problems. This course emphasizes improving students’ critical thinking to'
  ❌ Invalid title line: 'discrete structures, and statistics to formulate models and solve real-world problems. This course emphasizes improving students’ critical thinking to'
  ➜ Parsing at 6521: 'help them understand the process and application of mathematical modeling. Probability and Statistics II and Calculus II are prerequisites.'

🔍 parse_program: starting at line 6521: 'help them understand the process and application of mathematical modeling. Probability and Statistics II and Calculus II are prerequisites.'
  ➜ Title candidate: 'help them understand the process and application of mathematical modeling. Probability and Statistics II and Calculus II are prerequisites.'
  ❌ Invalid title line: 'help them understand the process and application of mathematical modeling. Probability and Statistics II and Calculus II are prerequisites.'
  ➜ Parsing at 6522: 'C879 - Algebra for Secondary Mathematics Teaching - Algebra for Secondary Mathematics Teaching explores important conceptual'

🔍 parse_program: starting at line 6522: 'C879 - Algebra for Secondary Mathematics Teaching - Algebra for Secondary Mathematics Teaching explores important conceptual'
  ➜ Title candidate: 'C879 - Algebra for Secondary Mathematics Teaching - Algebra for Secondary Mathematics Teaching explores important conceptual'
  ❌ Invalid title line: 'C879 - Algebra for Secondary Mathematics Teaching - Algebra for Secondary Mathematics Teaching explores important conceptual'
  ➜ Parsing at 6523: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'

🔍 parse_program: starting at line 6523: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Title candidate: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ❌ Invalid title line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Parsing at 6524: 'assess the learning of algebra. Secondary teachers should have an understanding of the following: algebra as an extension of number, operation, and'

🔍 parse_program: starting at line 6524: 'assess the learning of algebra. Secondary teachers should have an understanding of the following: algebra as an extension of number, operation, and'
  ➜ Title candidate: 'assess the learning of algebra. Secondary teachers should have an understanding of the following: algebra as an extension of number, operation, and'
  ❌ Invalid title line: 'assess the learning of algebra. Secondary teachers should have an understanding of the following: algebra as an extension of number, operation, and'
  ➜ Parsing at 6525: 'quantity; various ideas of equivalence as it pertains to algebraic structures; patterns of change as covariation between quantities; connections'

🔍 parse_program: starting at line 6525: 'quantity; various ideas of equivalence as it pertains to algebraic structures; patterns of change as covariation between quantities; connections'
  ➜ Title candidate: 'quantity; various ideas of equivalence as it pertains to algebraic structures; patterns of change as covariation between quantities; connections'
  ❌ Invalid title line: 'quantity; various ideas of equivalence as it pertains to algebraic structures; patterns of change as covariation between quantities; connections'
  ➜ Parsing at 6526: 'between representations (tables, graphs, equations, geometric models, context); and the historical development of content and perspectives from'

🔍 parse_program: starting at line 6526: 'between representations (tables, graphs, equations, geometric models, context); and the historical development of content and perspectives from'
  ➜ Title candidate: 'between representations (tables, graphs, equations, geometric models, context); and the historical development of content and perspectives from'
  ❌ Invalid title line: 'between representations (tables, graphs, equations, geometric models, context); and the historical development of content and perspectives from'
  ➜ Parsing at 6527: 'diverse cultures. In particular, the focus should be on deeper understanding of rational numbers, ratios and proportions, meaning and use of variables,'

🔍 parse_program: starting at line 6527: 'diverse cultures. In particular, the focus should be on deeper understanding of rational numbers, ratios and proportions, meaning and use of variables,'
  ➜ Title candidate: 'diverse cultures. In particular, the focus should be on deeper understanding of rational numbers, ratios and proportions, meaning and use of variables,'
  ❌ Invalid title line: 'diverse cultures. In particular, the focus should be on deeper understanding of rational numbers, ratios and proportions, meaning and use of variables,'
  ➜ Parsing at 6528: 'functions (e.g., exponential, logarithmic, polynomials, rational, quadratic), and inverses. Calculus I is a prerequisite for this course.'

🔍 parse_program: starting at line 6528: 'functions (e.g., exponential, logarithmic, polynomials, rational, quadratic), and inverses. Calculus I is a prerequisite for this course.'
  ➜ Title candidate: 'functions (e.g., exponential, logarithmic, polynomials, rational, quadratic), and inverses. Calculus I is a prerequisite for this course.'
  ❌ Invalid title line: 'functions (e.g., exponential, logarithmic, polynomials, rational, quadratic), and inverses. Calculus I is a prerequisite for this course.'
  ➜ Parsing at 6529: 'C880 - Algebra for Secondary Mathematics Teaching - Algebra for Secondary Mathematics Teaching explores important conceptual'

🔍 parse_program: starting at line 6529: 'C880 - Algebra for Secondary Mathematics Teaching - Algebra for Secondary Mathematics Teaching explores important conceptual'
  ➜ Title candidate: 'C880 - Algebra for Secondary Mathematics Teaching - Algebra for Secondary Mathematics Teaching explores important conceptual'
  ❌ Invalid title line: 'C880 - Algebra for Secondary Mathematics Teaching - Algebra for Secondary Mathematics Teaching explores important conceptual'
  ➜ Parsing at 6530: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'

🔍 parse_program: starting at line 6530: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Title candidate: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ❌ Invalid title line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Parsing at 6531: 'assess the learning of algebra. Secondary teachers should have an understanding of the following: algebra as an extension of number, operation, and'

🔍 parse_program: starting at line 6531: 'assess the learning of algebra. Secondary teachers should have an understanding of the following: algebra as an extension of number, operation, and'
  ➜ Title candidate: 'assess the learning of algebra. Secondary teachers should have an understanding of the following: algebra as an extension of number, operation, and'
  ❌ Invalid title line: 'assess the learning of algebra. Secondary teachers should have an understanding of the following: algebra as an extension of number, operation, and'
  ➜ Parsing at 6532: 'quantity; various ideas of equivalence as it pertains to algebraic structures; patterns of change as covariation between quantities; connections'

🔍 parse_program: starting at line 6532: 'quantity; various ideas of equivalence as it pertains to algebraic structures; patterns of change as covariation between quantities; connections'
  ➜ Title candidate: 'quantity; various ideas of equivalence as it pertains to algebraic structures; patterns of change as covariation between quantities; connections'
  ❌ Invalid title line: 'quantity; various ideas of equivalence as it pertains to algebraic structures; patterns of change as covariation between quantities; connections'
  ➜ Parsing at 6533: 'between representations (tables, graphs, equations, geometric models, context); and the historical development of content and perspectives from'

🔍 parse_program: starting at line 6533: 'between representations (tables, graphs, equations, geometric models, context); and the historical development of content and perspectives from'
  ➜ Title candidate: 'between representations (tables, graphs, equations, geometric models, context); and the historical development of content and perspectives from'
  ❌ Invalid title line: 'between representations (tables, graphs, equations, geometric models, context); and the historical development of content and perspectives from'
  ➜ Parsing at 6534: 'diverse cultures. In particular, the focus should be on deeper understanding of rational numbers, ratios and proportions, meaning and use of variables,'

🔍 parse_program: starting at line 6534: 'diverse cultures. In particular, the focus should be on deeper understanding of rational numbers, ratios and proportions, meaning and use of variables,'
  ➜ Title candidate: 'diverse cultures. In particular, the focus should be on deeper understanding of rational numbers, ratios and proportions, meaning and use of variables,'
  ❌ Invalid title line: 'diverse cultures. In particular, the focus should be on deeper understanding of rational numbers, ratios and proportions, meaning and use of variables,'
  ➜ Parsing at 6535: 'functions (e.g., exponential, logarithmic, polynomials, rational, quadratic), and inverses. Calculus I is a prerequisite for this course.'

🔍 parse_program: starting at line 6535: 'functions (e.g., exponential, logarithmic, polynomials, rational, quadratic), and inverses. Calculus I is a prerequisite for this course.'
  ➜ Title candidate: 'functions (e.g., exponential, logarithmic, polynomials, rational, quadratic), and inverses. Calculus I is a prerequisite for this course.'
  ❌ Invalid title line: 'functions (e.g., exponential, logarithmic, polynomials, rational, quadratic), and inverses. Calculus I is a prerequisite for this course.'
  ➜ Parsing at 6536: 'C881 - Geometry for Secondary Mathematics Teaching - Geometry for Secondary Mathematics Teaching explores important conceptual'

🔍 parse_program: starting at line 6536: 'C881 - Geometry for Secondary Mathematics Teaching - Geometry for Secondary Mathematics Teaching explores important conceptual'
  ➜ Title candidate: 'C881 - Geometry for Secondary Mathematics Teaching - Geometry for Secondary Mathematics Teaching explores important conceptual'
  ❌ Invalid title line: 'C881 - Geometry for Secondary Mathematics Teaching - Geometry for Secondary Mathematics Teaching explores important conceptual'
  ➜ Parsing at 6537: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'

🔍 parse_program: starting at line 6537: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Title candidate: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ❌ Invalid title line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Parsing at 6538: 'assess the learning of geometry. Secondary teachers in this course will develop a deep understanding of constructions and transformations,'

🔍 parse_program: starting at line 6538: 'assess the learning of geometry. Secondary teachers in this course will develop a deep understanding of constructions and transformations,'
  ➜ Title candidate: 'assess the learning of geometry. Secondary teachers in this course will develop a deep understanding of constructions and transformations,'
  ❌ Invalid title line: 'assess the learning of geometry. Secondary teachers in this course will develop a deep understanding of constructions and transformations,'
  ➜ Parsing at 6539: 'congruence and similarity, analytic geometry, solid geometry, conics, trigonometry, and the historical development of content. Calculus I is a'

🔍 parse_program: starting at line 6539: 'congruence and similarity, analytic geometry, solid geometry, conics, trigonometry, and the historical development of content. Calculus I is a'
  ➜ Title candidate: 'congruence and similarity, analytic geometry, solid geometry, conics, trigonometry, and the historical development of content. Calculus I is a'
  ❌ Invalid title line: 'congruence and similarity, analytic geometry, solid geometry, conics, trigonometry, and the historical development of content. Calculus I is a'
  ➜ Parsing at 6540: 'prerequisite for this course.'

🔍 parse_program: starting at line 6540: 'prerequisite for this course.'
  ➜ Title candidate: 'prerequisite for this course.'
  ❌ Invalid title line: 'prerequisite for this course.'
  ➜ Parsing at 6541: 'C882 - Geometry for Secondary Mathematics Teaching - Geometry for Secondary Mathematics Teaching explores important conceptual'

🔍 parse_program: starting at line 6541: 'C882 - Geometry for Secondary Mathematics Teaching - Geometry for Secondary Mathematics Teaching explores important conceptual'
  ➜ Title candidate: 'C882 - Geometry for Secondary Mathematics Teaching - Geometry for Secondary Mathematics Teaching explores important conceptual'
  ❌ Invalid title line: 'C882 - Geometry for Secondary Mathematics Teaching - Geometry for Secondary Mathematics Teaching explores important conceptual'
  ➜ Parsing at 6542: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'

🔍 parse_program: starting at line 6542: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Title candidate: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ❌ Invalid title line: 'underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional practices to support and'
  ➜ Parsing at 6543: 'assess the learning of geometry. Secondary teachers in this course will develop a deep understanding of constructions and transformations,'

🔍 parse_program: starting at line 6543: 'assess the learning of geometry. Secondary teachers in this course will develop a deep understanding of constructions and transformations,'
  ➜ Title candidate: 'assess the learning of geometry. Secondary teachers in this course will develop a deep understanding of constructions and transformations,'
  ❌ Invalid title line: 'assess the learning of geometry. Secondary teachers in this course will develop a deep understanding of constructions and transformations,'
  ➜ Parsing at 6544: 'congruence and similarity, analytic geometry, solid geometry, conics, trigonometry, and the historical development of content. Calculus I is a'

🔍 parse_program: starting at line 6544: 'congruence and similarity, analytic geometry, solid geometry, conics, trigonometry, and the historical development of content. Calculus I is a'
  ➜ Title candidate: 'congruence and similarity, analytic geometry, solid geometry, conics, trigonometry, and the historical development of content. Calculus I is a'
  ❌ Invalid title line: 'congruence and similarity, analytic geometry, solid geometry, conics, trigonometry, and the historical development of content. Calculus I is a'
  ➜ Parsing at 6545: 'prerequisite for this course.'

🔍 parse_program: starting at line 6545: 'prerequisite for this course.'
  ➜ Title candidate: 'prerequisite for this course.'
  ❌ Invalid title line: 'prerequisite for this course.'
  ➜ Parsing at 6546: 'C883 - Statistics and Probability for Secondary Mathematics Teaching - Statistics and Probability for Secondary Mathematics Teaching explores'

🔍 parse_program: starting at line 6546: 'C883 - Statistics and Probability for Secondary Mathematics Teaching - Statistics and Probability for Secondary Mathematics Teaching explores'
  ➜ Title candidate: 'C883 - Statistics and Probability for Secondary Mathematics Teaching - Statistics and Probability for Secondary Mathematics Teaching explores'
  ❌ Invalid title line: 'C883 - Statistics and Probability for Secondary Mathematics Teaching - Statistics and Probability for Secondary Mathematics Teaching explores'
  ➜ Parsing at 6547: 'important conceptual underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional'

🔍 parse_program: starting at line 6547: 'important conceptual underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional'
  ➜ Title candidate: 'important conceptual underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional'
  ❌ Invalid title line: 'important conceptual underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional'
  ➜ Parsing at 6548: 'practices to support and assess the learning of statistics and probability. Secondary teachers should have a deep understanding of summarizing and'

🔍 parse_program: starting at line 6548: 'practices to support and assess the learning of statistics and probability. Secondary teachers should have a deep understanding of summarizing and'
  ➜ Title candidate: 'practices to support and assess the learning of statistics and probability. Secondary teachers should have a deep understanding of summarizing and'
  ❌ Invalid title line: 'practices to support and assess the learning of statistics and probability. Secondary teachers should have a deep understanding of summarizing and'
  ➜ Parsing at 6549: 'representing data, study design and sampling, probability, testing claims and drawing conclusions, and the historical development of content and'

🔍 parse_program: starting at line 6549: 'representing data, study design and sampling, probability, testing claims and drawing conclusions, and the historical development of content and'
  ➜ Title candidate: 'representing data, study design and sampling, probability, testing claims and drawing conclusions, and the historical development of content and'
  ❌ Invalid title line: 'representing data, study design and sampling, probability, testing claims and drawing conclusions, and the historical development of content and'
  ➜ Parsing at 6550: 'perspectives from diverse cultures. Calculus I is a prerequisite for this course.'

🔍 parse_program: starting at line 6550: 'perspectives from diverse cultures. Calculus I is a prerequisite for this course.'
  ➜ Title candidate: 'perspectives from diverse cultures. Calculus I is a prerequisite for this course.'
  ❌ Invalid title line: 'perspectives from diverse cultures. Calculus I is a prerequisite for this course.'
  ➜ Parsing at 6551: 'C884 - Statistics and Probability for Secondary Mathematics Teaching - Statistics and Probability for Secondary Mathematics Teaching explores'

🔍 parse_program: starting at line 6551: 'C884 - Statistics and Probability for Secondary Mathematics Teaching - Statistics and Probability for Secondary Mathematics Teaching explores'
  ➜ Title candidate: 'C884 - Statistics and Probability for Secondary Mathematics Teaching - Statistics and Probability for Secondary Mathematics Teaching explores'
  ❌ Invalid title line: 'C884 - Statistics and Probability for Secondary Mathematics Teaching - Statistics and Probability for Secondary Mathematics Teaching explores'
  ➜ Parsing at 6552: 'important conceptual underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional'

🔍 parse_program: starting at line 6552: 'important conceptual underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional'
  ➜ Title candidate: 'important conceptual underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional'
  ❌ Invalid title line: 'important conceptual underpinnings, common misconceptions and students’ ways of thinking, appropriate use of technology, and instructional'
  ➜ Parsing at 6553: 'practices to support and assess the learning of statistics and probability. Secondary teachers should have a deep understanding of summarizing and'

🔍 parse_program: starting at line 6553: 'practices to support and assess the learning of statistics and probability. Secondary teachers should have a deep understanding of summarizing and'
  ➜ Title candidate: 'practices to support and assess the learning of statistics and probability. Secondary teachers should have a deep understanding of summarizing and'
  ❌ Invalid title line: 'practices to support and assess the learning of statistics and probability. Secondary teachers should have a deep understanding of summarizing and'
  ➜ Parsing at 6554: 'representing data, study design and sampling, probability, testing claims and drawing conclusions, and the historical development of content and'

🔍 parse_program: starting at line 6554: 'representing data, study design and sampling, probability, testing claims and drawing conclusions, and the historical development of content and'
  ➜ Title candidate: 'representing data, study design and sampling, probability, testing claims and drawing conclusions, and the historical development of content and'
  ❌ Invalid title line: 'representing data, study design and sampling, probability, testing claims and drawing conclusions, and the historical development of content and'
  ➜ Parsing at 6555: 'perspectives from diverse cultures. Calculus I is a prerequisite for this course.'

🔍 parse_program: starting at line 6555: 'perspectives from diverse cultures. Calculus I is a prerequisite for this course.'
  ➜ Title candidate: 'perspectives from diverse cultures. Calculus I is a prerequisite for this course.'
  ❌ Invalid title line: 'perspectives from diverse cultures. Calculus I is a prerequisite for this course.'
  ➜ Parsing at 6556: 'C885 - Advanced Calculus - Advanced Calculus examines rigorous reconsideration and proofs involving calculus. Topics include real-number'

🔍 parse_program: starting at line 6556: 'C885 - Advanced Calculus - Advanced Calculus examines rigorous reconsideration and proofs involving calculus. Topics include real-number'
  ➜ Title candidate: 'C885 - Advanced Calculus - Advanced Calculus examines rigorous reconsideration and proofs involving calculus. Topics include real-number'
  ❌ Invalid title line: 'C885 - Advanced Calculus - Advanced Calculus examines rigorous reconsideration and proofs involving calculus. Topics include real-number'
  ➜ Parsing at 6557: 'systems, sequences, limits, continuity, differentiation, and integration. This course emphasizes students’ ability to apply critical thinking to concepts to'

🔍 parse_program: starting at line 6557: 'systems, sequences, limits, continuity, differentiation, and integration. This course emphasizes students’ ability to apply critical thinking to concepts to'
  ➜ Title candidate: 'systems, sequences, limits, continuity, differentiation, and integration. This course emphasizes students’ ability to apply critical thinking to concepts to'
  ❌ Invalid title line: 'systems, sequences, limits, continuity, differentiation, and integration. This course emphasizes students’ ability to apply critical thinking to concepts to'
  ➜ Parsing at 6558: 'analyze the connections between definitions and properties. Calculus III and Linear Algebra are prerequisites.'

🔍 parse_program: starting at line 6558: 'analyze the connections between definitions and properties. Calculus III and Linear Algebra are prerequisites.'
  ➜ Title candidate: 'analyze the connections between definitions and properties. Calculus III and Linear Algebra are prerequisites.'
  ❌ Invalid title line: 'analyze the connections between definitions and properties. Calculus III and Linear Algebra are prerequisites.'
  ➜ Parsing at 6559: 'C886 - Advanced Calculus - Advanced Calculus examines rigorous reconsideration and proofs involving calculus. Topics include real-number'

🔍 parse_program: starting at line 6559: 'C886 - Advanced Calculus - Advanced Calculus examines rigorous reconsideration and proofs involving calculus. Topics include real-number'
  ➜ Title candidate: 'C886 - Advanced Calculus - Advanced Calculus examines rigorous reconsideration and proofs involving calculus. Topics include real-number'
  ❌ Invalid title line: 'C886 - Advanced Calculus - Advanced Calculus examines rigorous reconsideration and proofs involving calculus. Topics include real-number'
  ➜ Parsing at 6560: 'systems, sequences, limits, continuity, differentiation, and integration. This course emphasizes students’ ability to apply critical thinking to concepts to'

🔍 parse_program: starting at line 6560: 'systems, sequences, limits, continuity, differentiation, and integration. This course emphasizes students’ ability to apply critical thinking to concepts to'
  ➜ Title candidate: 'systems, sequences, limits, continuity, differentiation, and integration. This course emphasizes students’ ability to apply critical thinking to concepts to'
  ❌ Invalid title line: 'systems, sequences, limits, continuity, differentiation, and integration. This course emphasizes students’ ability to apply critical thinking to concepts to'
  ➜ Parsing at 6561: 'analyze the connections between definitions and properties. Calculus III and Linear Algebra are prerequisites.'

🔍 parse_program: starting at line 6561: 'analyze the connections between definitions and properties. Calculus III and Linear Algebra are prerequisites.'
  ➜ Title candidate: 'analyze the connections between definitions and properties. Calculus III and Linear Algebra are prerequisites.'
  ❌ Invalid title line: 'analyze the connections between definitions and properties. Calculus III and Linear Algebra are prerequisites.'
  ➜ Parsing at 6562: 'C887 - MA, Mathematics Education (5-9) Teacher Performance Assessment - MA, Mathematics Education (5-9) Teacher Performance'

🔍 parse_program: starting at line 6562: 'C887 - MA, Mathematics Education (5-9) Teacher Performance Assessment - MA, Mathematics Education (5-9) Teacher Performance'
  ➜ Title candidate: 'C887 - MA, Mathematics Education (5-9) Teacher Performance Assessment - MA, Mathematics Education (5-9) Teacher Performance'
  ❌ Invalid title line: 'C887 - MA, Mathematics Education (5-9) Teacher Performance Assessment - MA, Mathematics Education (5-9) Teacher Performance'
  ➜ Parsing at 6563: 'Assessment contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct'

🔍 parse_program: starting at line 6563: 'Assessment contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct'
  ➜ Title candidate: 'Assessment contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct'
  ❌ Invalid title line: 'Assessment contains a comprehensive, original, research based curriculum unit designed to meet an identified educational need. It provides direct'
  ➜ Parsing at 6564: 'evidence of the candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect'

🔍 parse_program: starting at line 6564: 'evidence of the candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect'
  ➜ Title candidate: 'evidence of the candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect'
  ❌ Invalid title line: 'evidence of the candidate’s ability to design and implement a multi-week, standards-based unit of instruction, assess student learning, and then reflect'
  ➜ Parsing at 6565: 'on the learning process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional'

🔍 parse_program: starting at line 6565: 'on the learning process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional'
  ➜ Title candidate: 'on the learning process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional'
  ❌ Invalid title line: 'on the learning process. The WGU Teacher Performance Assessment requires students to plan and teach a multi-week standards-based instructional'
  ➜ Parsing at 6566: 'unit consisting of seven components: 1) contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision making,'

🔍 parse_program: starting at line 6566: 'unit consisting of seven components: 1) contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision making,'
  ➜ Title candidate: 'unit consisting of seven components: 1) contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision making,'
  ❌ Invalid title line: 'unit consisting of seven components: 1) contextual factors, 2) learning goals, 3) assessment, 4) design for instruction, 5) instructional decision making,'
  ➜ Parsing at 6567: '6) analysis of student learning, and 7) self-evaluation and reflection.'

🔍 parse_program: starting at line 6567: '6) analysis of student learning, and 7) self-evaluation and reflection.'
  ➜ Title candidate: '6) analysis of student learning, and 7) self-evaluation and reflection.'
  ❌ Invalid title line: '6) analysis of student learning, and 7) self-evaluation and reflection.'
  ➜ Parsing at 6568: 'C888 - Molecular and Cellular Biology - Molecular and Cellular Biology provides students seeking licensure or endorsement in biology, grades 5-12,'

🔍 parse_program: starting at line 6568: 'C888 - Molecular and Cellular Biology - Molecular and Cellular Biology provides students seeking licensure or endorsement in biology, grades 5-12,'
  ➜ Title candidate: 'C888 - Molecular and Cellular Biology - Molecular and Cellular Biology provides students seeking licensure or endorsement in biology, grades 5-12,'
  ❌ Invalid title line: 'C888 - Molecular and Cellular Biology - Molecular and Cellular Biology provides students seeking licensure or endorsement in biology, grades 5-12,'
  ➜ Parsing at 6569: 'with an introduction to the area of molecular and cellular biology. Molecular and Cellular Biology examines the cell as an organism emphasizing'

🔍 parse_program: starting at line 6569: 'with an introduction to the area of molecular and cellular biology. Molecular and Cellular Biology examines the cell as an organism emphasizing'
  ➜ Title candidate: 'with an introduction to the area of molecular and cellular biology. Molecular and Cellular Biology examines the cell as an organism emphasizing'
  ❌ Invalid title line: 'with an introduction to the area of molecular and cellular biology. Molecular and Cellular Biology examines the cell as an organism emphasizing'
  ➜ Parsing at 6570: 'molecular basis of cell structure and functions of biological macromolecules, subcellular organelles, intracellular transport, cell division, and biological'

🔍 parse_program: starting at line 6570: 'molecular basis of cell structure and functions of biological macromolecules, subcellular organelles, intracellular transport, cell division, and biological'
  ➜ Title candidate: 'molecular basis of cell structure and functions of biological macromolecules, subcellular organelles, intracellular transport, cell division, and biological'
  ❌ Invalid title line: 'molecular basis of cell structure and functions of biological macromolecules, subcellular organelles, intracellular transport, cell division, and biological'
  ➜ Parsing at 6571: 'reactions. Prerequisite: Introduction to Biology.'

🔍 parse_program: starting at line 6571: 'reactions. Prerequisite: Introduction to Biology.'
  ➜ Title candidate: 'reactions. Prerequisite: Introduction to Biology.'
  ❌ Invalid title line: 'reactions. Prerequisite: Introduction to Biology.'
  ➜ Parsing at 6572: 'C889 - Molecular and Cellular Biology - Molecular and Cellular Biology provides students seeking licensure or endorsement in biology, grades 5-12,'

🔍 parse_program: starting at line 6572: 'C889 - Molecular and Cellular Biology - Molecular and Cellular Biology provides students seeking licensure or endorsement in biology, grades 5-12,'
  ➜ Title candidate: 'C889 - Molecular and Cellular Biology - Molecular and Cellular Biology provides students seeking licensure or endorsement in biology, grades 5-12,'
  ❌ Invalid title line: 'C889 - Molecular and Cellular Biology - Molecular and Cellular Biology provides students seeking licensure or endorsement in biology, grades 5-12,'
  ➜ Parsing at 6573: 'with an introduction to the area of molecular and cellular biology. Molecular and Cellular Biology examines the cell as an organism emphasizing'

🔍 parse_program: starting at line 6573: 'with an introduction to the area of molecular and cellular biology. Molecular and Cellular Biology examines the cell as an organism emphasizing'
  ➜ Title candidate: 'with an introduction to the area of molecular and cellular biology. Molecular and Cellular Biology examines the cell as an organism emphasizing'
  ❌ Invalid title line: 'with an introduction to the area of molecular and cellular biology. Molecular and Cellular Biology examines the cell as an organism emphasizing'
  ➜ Parsing at 6574: 'molecular basis of cell structure and functions of biological macromolecules, subcellular organelles, intracellular transport, cell division, and biological'

🔍 parse_program: starting at line 6574: 'molecular basis of cell structure and functions of biological macromolecules, subcellular organelles, intracellular transport, cell division, and biological'
  ➜ Title candidate: 'molecular basis of cell structure and functions of biological macromolecules, subcellular organelles, intracellular transport, cell division, and biological'
  ❌ Invalid title line: 'molecular basis of cell structure and functions of biological macromolecules, subcellular organelles, intracellular transport, cell division, and biological'
  ➜ Parsing at 6575: 'reactions. Prerequisite: Introduction to Biology.'

🔍 parse_program: starting at line 6575: 'reactions. Prerequisite: Introduction to Biology.'
  ➜ Title candidate: 'reactions. Prerequisite: Introduction to Biology.'
  ❌ Invalid title line: 'reactions. Prerequisite: Introduction to Biology.'
  ➜ Parsing at 6576: 'C890 - Ecology and Environmental Science - Ecology and Environmental Science is an introductory course for undergraduate students seeking'

🔍 parse_program: starting at line 6576: 'C890 - Ecology and Environmental Science - Ecology and Environmental Science is an introductory course for undergraduate students seeking'
  ➜ Title candidate: 'C890 - Ecology and Environmental Science - Ecology and Environmental Science is an introductory course for undergraduate students seeking'
  ❌ Invalid title line: 'C890 - Ecology and Environmental Science - Ecology and Environmental Science is an introductory course for undergraduate students seeking'
  ➜ Parsing at 6577: 'initial licensure or endorsement in science education for grades 5–12. The course explores the relationships between organisms and their'

🔍 parse_program: starting at line 6577: 'initial licensure or endorsement in science education for grades 5–12. The course explores the relationships between organisms and their'
  ➜ Title candidate: 'initial licensure or endorsement in science education for grades 5–12. The course explores the relationships between organisms and their'
  ❌ Invalid title line: 'initial licensure or endorsement in science education for grades 5–12. The course explores the relationships between organisms and their'
  ➜ Parsing at 6578: 'environment, including population ecology, communities, adaptations, distributions, interactions, and the environmental factors controlling these'

🔍 parse_program: starting at line 6578: 'environment, including population ecology, communities, adaptations, distributions, interactions, and the environmental factors controlling these'
  ➜ Title candidate: 'environment, including population ecology, communities, adaptations, distributions, interactions, and the environmental factors controlling these'
  ❌ Invalid title line: 'environment, including population ecology, communities, adaptations, distributions, interactions, and the environmental factors controlling these'
  ➜ Parsing at 6579: 'relationships. This course has no prerequisites.'

🔍 parse_program: starting at line 6579: 'relationships. This course has no prerequisites.'
  ➜ Title candidate: 'relationships. This course has no prerequisites.'
  ❌ Invalid title line: 'relationships. This course has no prerequisites.'
  ➜ Parsing at 6580: 'C891 - Ecology and Environmental Science - Ecology and Environmental Science is an introductory course for graduate students seeking initial'

🔍 parse_program: starting at line 6580: 'C891 - Ecology and Environmental Science - Ecology and Environmental Science is an introductory course for graduate students seeking initial'
  ➜ Title candidate: 'C891 - Ecology and Environmental Science - Ecology and Environmental Science is an introductory course for graduate students seeking initial'
  ❌ Invalid title line: 'C891 - Ecology and Environmental Science - Ecology and Environmental Science is an introductory course for graduate students seeking initial'
  ➜ Parsing at 6581: 'licensure or endorsement in science education for grades 5–12. The course introduction to ecology and environmental science and explores the'

🔍 parse_program: starting at line 6581: 'licensure or endorsement in science education for grades 5–12. The course introduction to ecology and environmental science and explores the'
  ➜ Title candidate: 'licensure or endorsement in science education for grades 5–12. The course introduction to ecology and environmental science and explores the'
  ❌ Invalid title line: 'licensure or endorsement in science education for grades 5–12. The course introduction to ecology and environmental science and explores the'
  ➜ Parsing at 6582: 'relationships between organisms and their environment, including population ecology, communities, adaptations, distributions, interactions, and the'

🔍 parse_program: starting at line 6582: 'relationships between organisms and their environment, including population ecology, communities, adaptations, distributions, interactions, and the'
  ➜ Title candidate: 'relationships between organisms and their environment, including population ecology, communities, adaptations, distributions, interactions, and the'
  ❌ Invalid title line: 'relationships between organisms and their environment, including population ecology, communities, adaptations, distributions, interactions, and the'
  ➜ Parsing at 6583: 'environmental factors controlling these relationships. This course has no prerequisites.'

🔍 parse_program: starting at line 6583: 'environmental factors controlling these relationships. This course has no prerequisites.'
  ➜ Title candidate: 'environmental factors controlling these relationships. This course has no prerequisites.'
  ❌ Invalid title line: 'environmental factors controlling these relationships. This course has no prerequisites.'
  ➜ Parsing at 6584: 'C892 - Geology II: Earth Systems - Geology II: Earth Systems provides undergraduate students seeking licensure or endorsement in science'

🔍 parse_program: starting at line 6584: 'C892 - Geology II: Earth Systems - Geology II: Earth Systems provides undergraduate students seeking licensure or endorsement in science'
  ➜ Title candidate: 'C892 - Geology II: Earth Systems - Geology II: Earth Systems provides undergraduate students seeking licensure or endorsement in science'
  ❌ Invalid title line: 'C892 - Geology II: Earth Systems - Geology II: Earth Systems provides undergraduate students seeking licensure or endorsement in science'
  ➜ Parsing at 6585: 'education for grades 5-12 with an examination of the geosphere, atmosphere, hydrosphere, and biosphere, and the dynamic equilibrium of these'

🔍 parse_program: starting at line 6585: 'education for grades 5-12 with an examination of the geosphere, atmosphere, hydrosphere, and biosphere, and the dynamic equilibrium of these'
  ➜ Title candidate: 'education for grades 5-12 with an examination of the geosphere, atmosphere, hydrosphere, and biosphere, and the dynamic equilibrium of these'
  ❌ Invalid title line: 'education for grades 5-12 with an examination of the geosphere, atmosphere, hydrosphere, and biosphere, and the dynamic equilibrium of these'
  ➜ Parsing at 6586: 'systems over geologic time. This course also examines the history of Earth and its life-forms, with an emphasis in meteorology. A prerequisite for this'

🔍 parse_program: starting at line 6586: 'systems over geologic time. This course also examines the history of Earth and its life-forms, with an emphasis in meteorology. A prerequisite for this'
  ➜ Title candidate: 'systems over geologic time. This course also examines the history of Earth and its life-forms, with an emphasis in meteorology. A prerequisite for this'
  ❌ Invalid title line: 'systems over geologic time. This course also examines the history of Earth and its life-forms, with an emphasis in meteorology. A prerequisite for this'
  ➜ Parsing at 6587: 'course is Geology I: Physical.'

🔍 parse_program: starting at line 6587: 'course is Geology I: Physical.'
  ➜ Title candidate: 'course is Geology I: Physical.'
  ❌ Invalid title line: 'course is Geology I: Physical.'
  ➜ Parsing at 6588: '© Western Governors University 7/19/17 169'

🔍 parse_program: starting at line 6588: '© Western Governors University 7/19/17 169'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'C893 - Geology II: Earth Systems - Geology II: Earth Systems provides graduate students seeking licensure or endorsement in science education'
  ➜ Skipping stray line: 'for grades 5-12 with an examination of the geosphere, atmosphere, hydrosphere, and biosphere, and the dynamic equilibrium of these systems over'
  ➜ Skipping stray line: 'geologic time. This course also examines the history of Earth and its life-forms, with an emphasis in meteorology. A prerequisite for this course is'
  ➜ Skipping stray line: 'Geology I: Physical.'
  ➜ Skipping stray line: 'C894 - Astronomy - This course provides undergraduate students seeking initial licensure or endorsement in geosciences for grades 5−12 with'
  ➜ Skipping stray line: 'essential knowledge of astronomy and explores Western history and basic physics of astronomy; phases of the moon and seasons; composition and'
  ➜ Skipping stray line: 'properties of solar system bodies; stellar evolution and remnants; properties and scale of objects and distances within the universe; and introductory'
  ➜ Skipping stray line: 'cosmology. A prerequisite for this course is General Physics.'
  ➜ Skipping stray line: 'C895 - Astronomy - This course provides graduate students seeking initial licensure or endorsement in geosciences for grades 5−12 with essential'
  ➜ Skipping stray line: 'knowledge of astronomy and explores Western history and basic physics of astronomy; phases of the moon and seasons; composition and properties'
  ➜ Skipping stray line: 'of solar system bodies; stellar evolution and remnants; properties and scale of objects and distances within the universe; and introductory cosmology.'
  ➜ Skipping stray line: 'A prerequisite for this course is General Physics.'
  ➜ Skipping stray line: 'C896 - Science Methods - Science Methods provides undergraduate students seeking initial licensure or endorsement in the sciences for grades'
  ➜ Skipping stray line: '5-12 with an introduction to science teaching methods and laboratory safety training. Course content focuses on designing and teaching with the three'
  ➜ Skipping stray line: 'dimensions of science: disciplinary core ideas, crosscutting concepts, and science and engineering practices. Laboratory safety training and'
  ➜ Skipping stray line: 'certification will include the proper use of personal protective equipment and safe laboratory practices and procedures in science classrooms. This'
  ➜ Skipping stray line: 'course has no prerequisites.'
  ➜ Skipping stray line: 'C897 - Mathematics: Content Knowledge - Mathematics: Content Knowledge is designed to help candidates refine and integrate the mathematics'
  ➜ Skipping stray line: 'content knowledge and skills necessary to become successful secondary mathematics teachers. A high level of mathematical reasoning skills and the'
  ➜ Skipping stray line: 'ability to solve problems are necessary to complete this course. Prerequisites for this course are College Geometry, Probability and Statistics I, and'
  ➜ Skipping stray line: 'Pre-Calculus.'
  ➜ Skipping stray line: 'C898 - Earth Science: Content Knowledge - This course covers the advanced content knowledge that a secondary Earth Science teachers is'
  ➜ Skipping stray line: 'expected to know and understand. Topics include basic scientific principles of Earth and Space Sciences, tectonics and internal Earth processes,'
  ➜ Skipping stray line: 'Earth materials and surface processes, history of the Earth and its Life-Forms, Earth's atmosphere and hydrosphhere, and astronomy.'
  ➜ Skipping stray line: 'C900 - Biology: Content Knowledge - This comprehensive course examines a student’s conceptual understanding of a broad range of biology'
  ➜ Skipping stray line: 'topics. High school biology teachers must help students make connections between isolated topics. For example, when studying hormones created by'
  ➜ Skipping stray line: 'endocrine glands traveling through the circulatory system to maintain homeostasis, a student is connecting many biology topics. This course starts'
  ➜ Skipping stray line: 'with macromolecules that make up cellular components and continues with understanding the many cellular processes that allow life to exist.'
  ➜ Skipping stray line: 'Connections are then made between genetics and evolution. Classification of organisms leads into plant and animal development that study the organ'
  ➜ Skipping stray line: 'systems and their role in maintaining homeostasis. The course finishes by studying ecology and how humans affect the environment.'
  ➜ Skipping stray line: 'C901 - Physics: Content Knowledge - Physics: Content Knowledge covers the advanced content knowledge that a secondary physics teacher is'
  ➜ Skipping stray line: 'expected to know and understand. Topics include mechanics, electricity and magnetism, optics and waves, heat and thermodynamics, modern'
  ➜ Skipping stray line: 'physics, atomic and nuclear structure, the history and nature of science, science technology, and social perspectives.'
  ➜ Skipping stray line: 'C902 - Middle School Science: Content Knowledge - This course covers the content knowledge that a middle-level science teacher is expected to'
  ➜ Skipping stray line: 'know and understand. Topics include scientific methodologies, history of science, basic science principles, physical sciences, life sciences, Earth and'
  ➜ Skipping stray line: 'space sciences, and the role of science and technology and their impact on society.'
  ➜ Skipping stray line: 'C903 - Middle School Mathematics: Content Knowledge - Mathematics: Middle School Content Knowledge is designed to help candidates refine'
  ➜ Skipping stray line: 'and integrate the mathematics content knowledge and skills necessary to become successful middle school mathematics teachers. A high level of'
  ➜ Skipping stray line: 'mathematical reasoning skills and the ability to solve problems are necessary to complete this course. Prerequisites for this course are College'
  ➜ Skipping stray line: 'Geometry, Probability and Statistics I, and Pre-Calculus.'
  ➜ Skipping stray line: 'C904 - Teacher Performance Assessment in Science - The Teacher Performance Assessment in Science is a culmination of the wide variety of'
  ➜ Skipping stray line: 'skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a'
  ➜ Skipping stray line: 'collection of your content, planning, instructional, and'
  ➜ Skipping stray line: 'reflective skills in this professional assessment.'
  ➜ Skipping stray line: 'C907 - Introduction to Biology - This course is a foundational introduction to the biological sciences. The overarching theories of life from biological'
  ➜ Skipping stray line: 'research are explored as well as the fundamental concepts and principles of the study of living organisms and their interaction with the environment.'
  ➜ Skipping stray line: 'Key concepts include how living organisms use and produce energy; how life grows, develops, and reproduces; how life responds to the environment'
  ➜ Skipping stray line: 'to maintain internal stability; and how life evolves and adapts to the environment.'
  ➜ Skipping stray line: 'C908 - Integrated Physical Sciences - This course provides students with an overview of the basic principles and unifying ideas of the physical'
  ➜ Skipping stray line: 'sciences: physics, chemistry, and Earth sciences. Course materials focus on scientific reasoning and practical and everyday applications of physical'
  ➜ Skipping stray line: 'science concepts to help students integrate conceptual knowledge with practical skills.'
  ➜ Skipping stray line: 'C909 - Elementary Reading Methods and Interventions - Elementary Reading Methods and Interventions provides students seeking initial teacher'
  ➜ Skipping stray line: 'licensure in elementary education with an in-depth look at best practices for developing the reading and writing skills of all students. Course content'
  ➜ Skipping stray line: 'examines the stages of literacy development, the balanced literacy approach, differentiation, technology integration, literacy-assessment, and the'
  ➜ Skipping stray line: 'comprehensive Response to Intervention (RTI) model used to identify and address the needs of learners who struggle with reading comprehension.'
  ➜ Skipping stray line: 'This course has no prerequisites.'
  ➜ Skipping stray line: 'C910 - Elementary Reading Methods and Interventions - Elementary Reading Methods and Interventions provides students seeking initial teacher'
  ➜ Skipping stray line: 'licensure in elementary education with an in-depth look at best practices for developing the reading and writing skills of all students. Course content'
  ➜ Skipping stray line: 'examines the stages of literacy development, the balanced literacy approach, differentiation, technology integration, literacy-assessment, and the'
  ➜ Skipping stray line: 'comprehensive Response to Intervention (RTI) model used to identify and address the needs of learners who struggle with reading comprehension.'
  ➜ Skipping stray line: 'This course has no prerequisites.'
  ➜ Skipping stray line: 'C912 - College Algebra - This course provides further application and analysis of algebraic concepts and functions through mathematical modeling of'
  ➜ Skipping stray line: 'real-world situations. Topics include: real numbers, algebraic expressions, equations and inequalities, graphs and functions, polynomial and rational'
  ➜ Skipping stray line: 'functions, exponential and logarithmic functions, and systems of linear equations.'
  ➜ Skipping stray line: 'C913 - Psychology for Educators - This course prepares candidates to meet the expectations of society and prepares future educators to support'
  ➜ Skipping stray line: 'classroom practice with research-validated concepts. The course helps future educators to create a framework for refining teaching skills that are'
  ➜ Skipping stray line: 'focused on the learner, through engaged inquiry of integrating theory, critical issues in psychology, classroom applications with diverse populations,'
  ➜ Skipping stray line: 'assessment, educational technology, and reflective teaching.'
  ➜ Skipping stray line: 'C914 - Teacher Performance Assessment in Mathematics Education - The Teacher Performance Assessment is a culmination of the wide variety'
  ➜ Skipping stray line: 'of skills learned during your time'
  ➜ Skipping stray line: 'in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of your content,'
  ➜ Skipping stray line: 'planning, instructional, and reflective skills in this professional assessment.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 170'
  ➜ Skipping stray line: 'C915 - Chemistry: Content Knowledge - Chemistry: Content Knowledge provides advanced instruction in the main areas of chemistry for which'
  ➜ Skipping stray line: 'secondary chemistry teachers are expected to demonstrate competency. Topics include matter and energy, thermochemistry, structure, bonding,'
  ➜ Skipping stray line: 'reactivity, biochemistry and organic chemistry, solutions, nature of science, technology and social perspectives, mathematics, and laboratory'
  ➜ Skipping stray line: 'procedures.'
  ➜ Skipping stray line: 'C925 - Earth: Inside and Out - Earth: Inside and Out explores the ways in which our dynamic planet evolved, and the processes and systems that'
  ➜ Skipping stray line: 'continue to shape it. Though the geologic record is incredibly ancient, it has only been studied intensely since the end of the nineteenth century. Since'
  ➜ Skipping stray line: 'then, research in fields such as geologic time, plate tectonics, climate change, exploration of the deep sea floor, and the inner earth have vastly'
  ➜ Skipping stray line: 'increased our understanding of geological processes. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C926 - Earth: Inside and Out - Earth: Inside and Out explores the ways in which our dynamic planet evolved, and the processes and systems that'
  ➜ Skipping stray line: 'continue to shape it. Though the geologic record is incredibly ancient, it has only been studied intensely since the end of the nineteenth century. Since'
  ➜ Skipping stray line: 'then, research in fields such as geologic time, plate tectonics, climate change, exploration of the deep sea floor, and the inner earth have vastly'
  ➜ Skipping stray line: 'increased our understanding of geological processes. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C930 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C931 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C932 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C933 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C934 - Preclinical Experiences in Elementary and Special Education - Preclinical Experiences in Elementary and Special Education provides'
  ➜ Skipping stray line: 'students the opportunity to observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence'
  ➜ Skipping stray line: 'necessary to be an effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the'
  ➜ Skipping stray line: 'classroom for the observations, students will be required to meet several requirements including a cleared background check, passing scores on the'
  ➜ Skipping stray line: 'state or WGU required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C935 - Preclinical Experiences in Elementary Education - Preclinical Experiences in Elementary Education provides students the opportunity to'
  ➜ Skipping stray line: 'observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an'
  ➜ Skipping stray line: 'effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the'
  ➜ Skipping stray line: 'observations, students will be required to meet several requirements including a cleared background check, passing scores on the state or WGU'
  ➜ Skipping stray line: 'required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C936 - Preclinical Experiences in Elementary Education - Preclinical Experiences in Elementary Education provides students the opportunity to'
  ➜ Skipping stray line: 'observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an'
  ➜ Skipping stray line: 'effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the'
  ➜ Skipping stray line: 'observations, students will be required to meet several requirements including a cleared background check, passing scores on the state or WGU'
  ➜ Skipping stray line: 'required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C937 - Preclinical Experiences in Science - Preclinical Experiences in Science provides students the opportunity to observe and participate in a'
  ➜ Skipping stray line: 'wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will'
  ➜ Skipping stray line: 'reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required'
  ➜ Skipping stray line: 'to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed'
  ➜ Skipping stray line: 'resume.'
  ➜ Skipping stray line: 'C938 - Preclinical Experiences in Science - Preclinical Experiences in Science provides students the opportunity to observe and participate in a'
  ➜ Skipping stray line: 'wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will'
  ➜ Skipping stray line: 'reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required'
  ➜ Skipping stray line: 'to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed'
  ➜ Skipping stray line: 'resume.'
  ➜ Skipping stray line: 'CQC2 - Calculus II - Calculus II is the study of the accumulation of change in relation to the area under a curve. It covers the knowledge and skills'
  ➜ Skipping stray line: 'necessary to apply integral calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include'
  ➜ Skipping stray line: 'antiderivatives; indefinite integrals; the substitution rule; Riemann sums; the Fundamental Theorem of Calculus; definite integrals; acceleration,'
  ➜ Skipping stray line: 'velocity, position, and initial values; integration by parts; integration by trigonometric substitution; integration by partial fractions; numerical integration;'
  ➜ Skipping stray line: 'improper integration; area between curves; volumes and surface areas of revolution; arc length; work; center of mass; separable differential equations;'
  ➜ Skipping stray line: 'direction fields; growth and decay problems; and sequences. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'CUA1 - Culture - Focuses on the nature and role of culture and the importance of cultural groups and cultural identity.'
  ➜ Skipping stray line: 'CWEL - Capstone Written Project in Educational Leadership - The capstone project will consist of the design and implementation of a short-term'
  ➜ Skipping stray line: 'datadriven school improvement initiative. Through the case study approach and during the capstone experience, you will identify one or more'
  ➜ Skipping stray line: 'measurable outcome improvement areas in your case study / practicum site. You will propose and develop short-term school improvement initiatives'
  ➜ Skipping stray line: 'and will then measure the outcomes and results of your implemented improvement initiatives.'
  ➜ Skipping stray line: 'CZC1 - Accounting II - Accounting II is a continuation of the topics that were addressed in Accounting I. Accounting II focuses on ways in which'
  ➜ Skipping stray line: 'accounting principles are used in business operations, deepening the student's understanding of Generally Accepted Accounting Principles (GAAP),'
  ➜ Skipping stray line: 'inventory, liabilities, and budgets. This course also introduces topics that are important for corporate accounting and financial analysis.'
  ➜ Skipping stray line: 'DPT1 - Physics: Electricity and Magnetism - Physics: Electricity and Magnetism addresses principles related to the physics of electricity and'
  ➜ Skipping stray line: 'magnetism. Students will study electric and magnetic forces and then apply that knowledge to the study of circuits with resistors and electromagnetic'
  ➜ Skipping stray line: 'induction and waves, focusing on such topics as: Electric charge and electric field, electric currents and resistance, magnetism, electromagnetic'
  ➜ Skipping stray line: 'induction and Faraday's law, and Maxwell's equation and electromagnetic waves.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 171'
  ➜ Skipping stray line: 'DPT2 - Physics: Electricity and Magnetism - Physics: Electricity and Magnetism addresses principles related to the physics of electricity and'
  ➜ Skipping stray line: 'magnetism. Students will study electric and magnetic forces and then apply that knowledge to the study of circuits with resistors and electromagnetic'
  ➜ Skipping stray line: 'induction and waves, focusing on such topics as: Electric charge and electric field, electric currents and resistance, magnetism, electromagnetic'
  ➜ Skipping stray line: 'induction and Faraday's law, and Maxwell's equation and electromagnetic waves.'
  ➜ Skipping stray line: 'DRC1 - Educational Assessment - Educational Assessment assists students in making appropriate data-driven instructional decisions by exploring'
  ➜ Skipping stray line: 'key concepts relevant to the administration, scoring, and interpretation of classroom assessments. Topics include ethical assessment practices,'
  ➜ Skipping stray line: 'designing assessments, aligning assessments, and utilizing technology for assessment.'
  ➜ Skipping stray line: 'DWP2 - Application of Elementary Social Studies Methods - Application of Elementary Social Studies Methods helps students learn how to'
  ➜ Skipping stray line: 'implement effective social studies instruction in the elementary classroom. Topics include social studies themes, promoting cultural diversity,'
  ➜ Skipping stray line: 'integrated social studies across the curriculum, social studies learning environments, assessing social studies understanding, differentiated instruction'
  ➜ Skipping stray line: 'for social studies, technology for social studies instruction, and standards-based social studies instruction. This course helps students to apply,'
  ➜ Skipping stray line: 'analyze, and reflect on effective elementary social studies instruction.'
  ➜ Skipping stray line: 'DZP2 - Application of Elementary Visual and Performing Arts Methods - Application of Elementary Visual and Performing Arts Methods helps'
  ➜ Skipping stray line: 'students learn how to implement effective visual and performing arts instruction in the elementary classroom. Topics include integrating arts across the'
  ➜ Skipping stray line: 'curriculum, music education, visual arts, dance and movement, dramatic arts, differentiated instruction for visual and performing arts, and promoting'
  ➜ Skipping stray line: 'cultural diversity through visual and performing arts instruction. This course helps students to apply, analyze, and reflect on effective elementary visual'
  ➜ Skipping stray line: 'and performing arts instruction.'
  ➜ Skipping stray line: 'EBP2 - Application of Elementary Physical Education and Health Methods - Applications of Elementary Physical Education and Health Methods'
  ➜ Skipping stray line: 'helps students learn how to implement effective physical and health education instruction in the elementary classroom. Topics include healthy'
  ➜ Skipping stray line: 'lifestyles, student safety, student nutrition, physical education, differentiated instruction for physical and health education, physical education across'
  ➜ Skipping stray line: 'the curriculum, and public policy in health and physical education. This course helps students to apply, analyze, and reflect on effective elementary'
  ➜ Skipping stray line: 'visual and performing arts instruction.'
  ➜ Skipping stray line: 'EFP1 - Cultural Studies and Diversity - Cultural Studies and Diversity focuses on the development of cultural awareness. Students will analyze the'
  ➜ Skipping stray line: 'role of culture in today’s world, develop culturally-responsive practices, and understand the barriers to and the benefits of diversity.'
  ➜ Skipping stray line: 'EFV1 - Behavioral Management and Intervention - Behavioral Management and Intervention explores the challenges of working with students with'
  ➜ Skipping stray line: 'emotional and behavioral disabilities and helps students learn about theories, interventions, practices, and assessments that can influence these'
  ➜ Skipping stray line: 'children's opportunities for success. It further helps students better be able to make decisions about how to strategize behavior'
  ➜ Skipping stray line: 'adjustments for individual students.'
  ➜ Skipping stray line: 'EFV2 - Behavioral Management and Intervention - Behavioral Management and Intervention explores the challenges of working with students with'
  ➜ Skipping stray line: 'emotional and behavioral disabilities and helps students learn about theories, interventions, practices, and assessments that can influence these'
  ➜ Skipping stray line: 'children's opportunities for success. It further helps students better be able to make decisions about how to strategize behavior adjustments for'
  ➜ Skipping stray line: 'individual students.'
  ➜ Skipping stray line: 'ELO1 - Subject Specific Pedagogy: ELL - Subject Specific Pedagogy: ELL integrates aspects of pedagogy, assessment, and professionalism in'
  ➜ Skipping stray line: 'English Language Learning (ELL). A student develops and assesses aspects of language curriculum development including second language'
  ➜ Skipping stray line: 'instruction, methods of second language assessment, and legal policy issues.'
  ➜ Skipping stray line: 'EST1 - Ethical Situations in Business - Ethical Situations in Business explores various scenarios in business and helps students learn to develop'
  ➜ Skipping stray line: 'ethical and socially responsible courses of action. Students will also learn to develop an appropriate and comprehensive ethics program for a business'
  ➜ Skipping stray line: 'venture.'
  ➜ Skipping stray line: 'EXP2 - College Geometry - College Geometry covers the knowledge and skills necessary to apply geometry to model and solve real-life problems, to'
  ➜ Skipping stray line: 'do formal axiomatic proofs in geometry, and to use dynamic technology to explore geometry. Topics include axiomatic systems and analytic proof;'
  ➜ Skipping stray line: 'non-Euclidean geometries; construction, analytic, and synthetic methods for investigating and proving properties and relationships of two- and three-'
  ➜ Skipping stray line: 'dimensional objects; geometric transformations, tessellations, and using inductive reasoning; concrete models; and dynamic technology to conduct'
  ➜ Skipping stray line: 'geometric investigations. College Algebra and Pre-Calculus are prerequisites for this course.'
  ➜ Skipping stray line: 'FCC1 - Introduction to Special Education, Law and Legal Issues - Introduction to Special Education, Law and Legal Issues introduces the history'
  ➜ Skipping stray line: 'and nature of special education and how it relates to general education, as well as specific legal acts and concepts governing it. Topics include history'
  ➜ Skipping stray line: 'of special education, the Individuals with Disabilities Education Act, the No Child Left Behind Act, FAPE (free, appropriate public education), and least'
  ➜ Skipping stray line: 'restrictive environments.'
  ➜ Skipping stray line: 'FCC2 - Introduction to Special Education, Law and Legal Issues, Policies and Procedures - Introduction to Special Education, Law and Legal'
  ➜ Skipping stray line: 'Issues, Policies and Procedures introduces the history and nature of special education and how it relates to general education, as well as specific'
  ➜ Skipping stray line: 'legal acts and concepts governing it. Topics include history of special education, the Individuals with Disabilities Education Act, the No Child Left'
  ➜ Skipping stray line: 'Behind Act, FAPE (free, appropriate public education), and least restrictive environments.'
  ➜ Skipping stray line: 'FEA1 - Field Experience for ELL - Field Experience for ELL is the field experience component of the English Language Learning program. In this'
  ➜ Skipping stray line: 'experience, students are required to complete a minimum of 15 hours of observations at both elementary and secondary levels. Additionally, a'
  ➜ Skipping stray line: 'supervised teaching experience that is face-to-face with English language learners according to the minimum time requirements of your state is'
  ➜ Skipping stray line: 'required. The purpose of this course is to assess the ability of the student including their engagement in field experience activities, ability to reflect on'
  ➜ Skipping stray line: 'and then plan standards-based instruction in ELL, and their ability to locate and effectively use resources for teaching ELL to meet the needs of their'
  ➜ Skipping stray line: 'individual students.'
  ➜ Skipping stray line: 'FJC1 - Psychoeducational Assessment Practices and IEP Development/Implementation - Psychoeducational Assessment Practices and IEP'
  ➜ Skipping stray line: 'Development/Implementation prepares students to apply knowledge the IEP as they work with students who have mild to moderate disabilities in a'
  ➜ Skipping stray line: 'wide variety of possible situations, all with an emphasis on cross-categorical inclusion. It helps students gain fluency in their understanding of the 13'
  ➜ Skipping stray line: 'disability categories, assessment, curriculum, and instruction.'
  ➜ Skipping stray line: 'FJC2 - Psychoeducational Assessment Practices and IEP Development/Implementation - Psychoeducational Assessment Practices and IEP'
  ➜ Skipping stray line: 'Development/Implementation prepares students to apply knowledge the IEP as they work with students who have mild to moderate disabilities in a'
  ➜ Skipping stray line: 'wide variety of possible situations, all with an emphasis on cross-categorical inclusion. It helps students gain fluency in their understanding of the 13'
  ➜ Skipping stray line: 'disability categories, assessment, curriculum, and instruction.'
  ➜ Skipping stray line: 'FLC1 - Instructional Models and Design, Supervision and Culturally Response Teaching - Instructional Models and Design, Supervision and'
  ➜ Skipping stray line: 'Culturally Response Teaching helps students understand the role of special education in the development of instruction, why this field exists separate'
  ➜ Skipping stray line: 'from and in conjunction with general education, where it is going, and how they can help coordinate inclusion for students. Students will gain expertise'
  ➜ Skipping stray line: 'in developing instructional, curricular, and environmental interventions based on assessment data and student need.'
  ➜ Skipping stray line: 'FLC2 - Instructional Models and Design, Supervision and Culturally Responsive Teaching - Instructional Models and Design, Supervision and'
  ➜ Skipping stray line: 'Culturally Responsive Teaching helps students understand the role of special education in the development of instruction, why this field exists'
  ➜ Skipping stray line: 'separate from and in conjunction with general education, where it is going, and how they can help coordinate inclusion for students. Students will gain'
  ➜ Skipping stray line: 'expertise in developing instructional, curricular, and environmental interventions based on assessment data and student need.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 172'
  ➜ Skipping stray line: 'FVC1 - Global Business - This course provides an introduction to global business. The advantages of global production and the benefits of trade are'
  ➜ Skipping stray line: 'critical aspects of global business. Many factors influence global business, such as transparency, geography, corruption, intellectual property'
  ➜ Skipping stray line: 'protections, outsourcing and off-shoring, operation management, and generally accepted accounting principles.'
  ➜ Skipping stray line: 'FXT2 - Disaster Recovery Planning, Prevention and Response - This course prepares students to plan and execute industry best practices related'
  ➜ Skipping stray line: 'to conducting organization-wide information assurance initiatives and to preparing an organization for implementing a comprehensive Information'
  ➜ Skipping stray line: 'Assurance Management program.'
  ➜ Skipping stray line: 'HMP1 - Cases in Advanced Human Resource Management - During Cases in Advanced Human Resource Management students apply their'
  ➜ Skipping stray line: 'knowledge of human resource management by completing a case study. Students will apply critical human resource strategies in the areas of'
  ➜ Skipping stray line: 'legal/regulatory compliance, recruitment and selection of personnel, performance and feedback mechanisms, and financial and benefits'
  ➜ Skipping stray line: 'compensation.'
  ➜ Skipping stray line: 'IDC1 - Foundations of Instructional Design - Foundations of Instructional Design provides an overview of how to select the most appropriate'
  ➜ Skipping stray line: 'learning theories, design processes, and instructional strategies based on learner audience, instructional setting, and current and desired state of'
  ➜ Skipping stray line: 'learning.'
  ➜ Skipping stray line: 'IYT2 - Introduction to Curriculum Theory - For over 200 years, educators in the United States have debated the purpose of education. Should'
  ➜ Skipping stray line: 'education be for enlightenment or to prepare students for the life of work? Should education be for many or for a select few? These questions continue'
  ➜ Skipping stray line: 'to be debated today. Through curriculum theory and reflection, educators have an educational framework by which to understand how theory and'
  ➜ Skipping stray line: 'one's philosophical views can impact the design, development, and implementation of curriculum and instruction. With this in mind, Introduction to'
  ➜ Skipping stray line: 'Curriculum Theory focuses on exploring and applying an understanding of Scholar Academic, Social Efficiency, Learner Centered, and Social'
  ➜ Skipping stray line: 'Reconstruction ideologies in various instructional settings and on the development on one’s own curriculum philosophy.'
  ➜ Skipping stray line: 'IZT2 - Learning Theories - Learning Theories focuses on the complexity of the current learning environment and how behaviorism, cognitivism,'
  ➜ Skipping stray line: 'constructivism, and personal learning philosophy can assist in the development of appropriate curriculum and instruction.'
  ➜ Skipping stray line: 'JIT2 - Risk Management - Content focuses on categorizing levels of risk and understanding how risk can impact the operations of the business'
  ➜ Skipping stray line: 'through a scenario involving the creation of a risk management program and business continuity program for a company and a business situation'
  ➜ Skipping stray line: 'reacting to a crisis/disaster situation affecting the company.'
  ➜ Skipping stray line: 'JNT2 - Instructional Design Analysis - Instructional Design Analysis focuses on using analysis of needs to determine the needs and interests of'
  ➜ Skipping stray line: 'learners, and scope and sequence for developing a logical approach for an education program to formulate appropriate and measurable program'
  ➜ Skipping stray line: 'objectives.'
  ➜ Skipping stray line: 'JOT2 - Issues in Instructional Design - Issues in Instructional Design focuses on learning theories, learner analysis, scope and sequence,'
  ➜ Skipping stray line: 'instructional strategies, task analysis and design theories, media and technology foundations, and adaptive technologies for special populations for'
  ➜ Skipping stray line: 'creating effective, well-articulated, and efficient instruction.'
  ➜ Skipping stray line: 'JPT2 - Instructional Design Production - Instructional Design Production focuses on the application of a systematic process of instructional design,'
  ➜ Skipping stray line: 'namely the concepts and procedure for analyzing and designing successful instruction. This course will prepare students to conduct a goal analysis, a'
  ➜ Skipping stray line: 'process used to identify instructional goals, as well as a task analysis, which is used to determine the skills and knowledge required to accomplish'
  ➜ Skipping stray line: 'those goals. This course also focuses on writing performance objectives, designing assessments, and developing instruction that incorporates relevant'
  ➜ Skipping stray line: 'learning theories. Methods for formatively evaluating a unit of instruction are also introduced. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'JQT2 - Issues in Measurement and Evaluation - Issues in Measurement and Evaluation focuses on the understanding of formative and summative'
  ➜ Skipping stray line: 'evaluation, quantitative and qualitative data collection tools, including rubrics and the processes of evaluation.'
  ➜ Skipping stray line: 'JRT2 - Evaluation Methodology and Instrumentation - Evaluation Methodology and Instrumentation focuses on using qualitative and quantitative'
  ➜ Skipping stray line: 'data collection tools and techniques to construct and evaluate valid and reliable measuring instruments.'
  ➜ Skipping stray line: 'JST2 - Evaluation Process and Recommendation - Evaluation Process and Recommendation focuses on implementing and interpreting an'
  ➜ Skipping stray line: 'evaluation and the reporting of the results and recommendations to stakeholders.'
  ➜ Skipping stray line: 'JWT2 - Instructional Theory - Instructional Theory focuses on exploring instructional design theory and related models and processes. Students will'
  ➜ Skipping stray line: 'apply instructional design principles to the design and delivery of plans to meet the learning needs found in the instructional setting.'
  ➜ Skipping stray line: 'JXT2 - Educational Psychology - Educational Psychology examines the latest findings in child and adolescent development and provides educators'
  ➜ Skipping stray line: 'the opportunity to apply educational psychology to various instructional settings. Students will explore the areas of applied educational psychology to'
  ➜ Skipping stray line: 'teaching, cognitive development, social development, and cultural development. They will design, develop, modify, and evaluate curriculum and'
  ➜ Skipping stray line: 'instruction in various educational settings according to child/adolescent development.'
  ➜ Skipping stray line: 'JYT2 - Curriculum Design - Curriculum Design focuses on exploring curriculum design theory, educational standards, and design frameworks for'
  ➜ Skipping stray line: 'what to teach. Together these topics will provide educators with the ability to take principles of curriculum design theory and related models and apply'
  ➜ Skipping stray line: 'them when developing, designing, and modifying curriculum to meet learning needs in their instructional setting.'
  ➜ Skipping stray line: 'JZT2 - Curriculum Evaluation - Curriculum Evaluation focuses on exploring evaluation systems and student data to determine the effectiveness of'
  ➜ Skipping stray line: 'curriculum. It also focuses on differentiating curriculum based on student data.'
  ➜ Skipping stray line: 'KAT2 - Assessment for Student Learning - Assessment for Student Learning focuses on developing the knowledge and skills to identify, develop,'
  ➜ Skipping stray line: 'and design instrument tools for evaluating student learning. It also explores the use of objective and performance-based, formative, and summative'
  ➜ Skipping stray line: 'assessments and their results in the evaluation of curriculum and instruction for student learning.'
  ➜ Skipping stray line: 'KBT2 - Differentiated Instruction - Differentiated Instruction focuses on developing and implementing curriculum and instruction that that best meets'
  ➜ Skipping stray line: 'the needs of all learners within a given instructional setting.'
  ➜ Skipping stray line: 'LEC1 - Comprehensive Educational Leadership Integration - You will complete a comprehensive objective proctored assessment in Educational'
  ➜ Skipping stray line: 'Leadership theory and practices, including administrative theory, school law, school finance, curriculum development and implementation, personnel'
  ➜ Skipping stray line: 'management, public relations, and technology. You will be required to pass the Comprehensive Educational Leadership Integration objective'
  ➜ Skipping stray line: 'assessment.'
  ➜ Skipping stray line: 'LFT1 - Student, Stakeholder, and Market Focus for Educational Leaders - This subdomain reviews principles and practices of meeting'
  ➜ Skipping stray line: 'stakeholder needs and reviews your case study site’s effectiveness in managing stakeholder relationships.'
  ➜ Skipping stray line: 'LMT1 - Measurement, Analysis, and Knowledge Management for Educational Leaders - This subdomain reviews principles and practices of'
  ➜ Skipping stray line: 'program and curriculum effectiveness evaluation as well as best practices in technology for educational leaders. You also complete a program,'
  ➜ Skipping stray line: 'practice, or curriculum effectiveness evaluation in your case study site as well as an evaluation of technology implementation.'
  ➜ Skipping stray line: 'LNT1 - Process Management for Educational Leaders - This subdomain reviews best practices in process management for educational leaders, as'
  ➜ Skipping stray line: 'well as an evaluation of your case study site’s process management policies and practices.'
  ➜ Skipping stray line: 'LPA1 - Language Production, Theory and Acquisition - Language Production, Theory and Acquisition focuses on describing and understanding'
  ➜ Skipping stray line: 'language and the development of language. It includes the study of acquisition theory, grammar, and applied phonetics.'
  ➜ Skipping stray line: 'LPT1 - Performance Excellence Criteria for Educational Leaders - This subdomain reviews the case study model and prepares you to complete a'
  ➜ Skipping stray line: 'thorough review of the effectiveness of their case study site’s operations, outcomes, and leadership.'
  ➜ Skipping stray line: 'LQT2 - Information Security and Assurance Capstone Project - Students will be able to choose from three areas of emphasis, depending on'
  ➜ Skipping stray line: 'personal and professional interests. Students will complete a capstone project that deals with a significant real-world business problem that further'
  ➜ Skipping stray line: 'integrates the components of the degree. Capstone projects will require an oral defense before a committee of WGU faculty.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 173'
  ➜ Skipping stray line: 'LRT1 - Practicum in Educational Leadership - Foundational Perspectives of Education includes a series of performance tasks to take place under'
  ➜ Skipping stray line: 'the leadership of a practicing state licensed school principal or assistant principal in a practicum school site (K–12). This assessment also includes'
  ➜ Skipping stray line: 'completion of assigned administrative duties to take place in both elementary (K–6) and secondary (7–12) settings under the leadership and'
  ➜ Skipping stray line: 'supervision of the cooperating administrator in your case study school site. Practicum requirements vary by state of intended licensure and WGU'
  ➜ Skipping stray line: 'program requirements, and the standard has been set between 275 and 540 of logged practicum activities that span a minimum of six consecutive'
  ➜ Skipping stray line: 'months. Please refer back to the WGU Student Handbook for reference of your program requirements. You are required to pass the Practicum in'
  ➜ Skipping stray line: 'Educational Leadership performance assessments and successfully submit other documentation, including evaluations of your performance'
  ➜ Skipping stray line: 'completed by the cooperating administrator and documentation of completion of state-required hours of assigned administrative duties. The'
  ➜ Skipping stray line: 'Educational Leadership Practicum requires a practicum fee. During the Educational Leadership Practicum, you are also expected to take and pass'
  ➜ Skipping stray line: 'your state's licensure examination(s) required for certification as a school principal and the PRAXIS 5411 Educational Leadership: Administration and'
  ➜ Skipping stray line: 'Supervision exam.'
  ➜ Skipping stray line: 'LST1 - Strategic Planning for Educational Leaders - This subdomain reviews principles and practices of the strategic planning process as well as a'
  ➜ Skipping stray line: 'case study review of the strategic planning processes in your case study site.'
  ➜ Skipping stray line: 'LWT1 - Workforce Focus for Educational Leaders - This subdomain reviews best practices in human resource administration for educational'
  ➜ Skipping stray line: 'leaders, as well as an evaluation of your case study site’s workforce management practices.'
  ➜ Skipping stray line: 'LZT2 - Power, Influence and Leadership - This course focuses on the development of the critical leadership and soft skills necessary for success in'
  ➜ Skipping stray line: 'information technology leadership and management. The course focuses specifically on skills such as cultivating effective leadership communication,'
  ➜ Skipping stray line: 'building personal influence, enhancing emotional intelligence (soft skills), generating ideas and encouraging idea generation in others, conflict'
  ➜ Skipping stray line: 'resolution, and positioning oneself as an influential change agent within different organizational cultures.'
  ➜ Skipping stray line: 'MAT2 - Information Technology Management - This course will prepare students to cope with information technology resources in a manner'
  ➜ Skipping stray line: 'beneficial to their company. Such skill includes estimating both the cost and value of IT to the company, setting priorities for project selection,'
  ➜ Skipping stray line: 'management of IT projects, and handling risk. These responsibilities imply an ability to align technology with an organization’s strategic goals. In total,'
  ➜ Skipping stray line: 'students will develop the ability to effectively administer and manage current and emerging technologies within an organization.'
  ➜ Skipping stray line: 'MBT2 - Technological Globalization - This course is designed to equip students to better understand the fundamental, galvanizing and'
  ➜ Skipping stray line: 'transformational role of advanced IT communications, networks and services in all major industries; advanced IT is an unparalleled force multiplier in'
  ➜ Skipping stray line: 'scientific research, energy production and use, health and medicine. IT is a critical resource in the global community, economically, socially, politically'
  ➜ Skipping stray line: 'and culturally.'
  ➜ Skipping stray line: 'MCT2 - Technical Writing - As IT professionals are frequently required to interface with customers, clients, other departments, organizational leaders,'
  ➜ Skipping stray line: 'and even other institutions, strong communication skills are vital. In this course, students learn to communicate accurately, effectively, and ethically to'
  ➜ Skipping stray line: 'a variety of audiences. Students design communication to fit oral, print, and multi-media contexts. They develop rhetorical sensitivity in both their'
  ➜ Skipping stray line: 'writing and their design decisions.'
  ➜ Skipping stray line: 'MEC1 - Foundations of Measurement and Evaluation - Foundations of Measurement and Evaluation focuses on assessment validity, constructing'
  ➜ Skipping stray line: 'reliable test instruments, identifying appropriate item and instrument types, qualitative data collection tools and techniques, and conducting a formative'
  ➜ Skipping stray line: 'and summative evaluation for an instruction product or program.'
  ➜ Skipping stray line: 'MFT2 - Mathematics (K-6) Portfolio Oral Defense - Mathematics (K-6) Portfolio Oral Defense: Mathematics (K-6) Portfolio Defense focuses on a'
  ➜ Skipping stray line: 'formal presentation. The student will present an overview of their teacher work sample (TWS) portfolio discussing the challenges they faced and how'
  ➜ Skipping stray line: 'they determined whether their goals were accomplished. They will explain the process they went through to develop the TWS portfolio and reflect on'
  ➜ Skipping stray line: 'the methodologies and outcomes of the strategies discussed in the TWS portfolio. Additionally, they will discuss the strengths and weaknesses of'
  ➜ Skipping stray line: 'those strategies and how they can apply what they learned from the TWS portfolio in their professional work environment.'
  ➜ Skipping stray line: 'MGT2 - IT Project Management - IT Project Management provides an overview of the Project Management Institute’s project management'
  ➜ Skipping stray line: 'methodology. Topics cover various process groups and knowledge areas and application of knowledge in case studies for planning a project that has'
  ➜ Skipping stray line: 'not started yet and monitoring/controlling a project that is already underway.'
  ➜ Skipping stray line: 'MMT2 - IT Strategic Solutions - In IT Strategic Solutions the learner will have the opportunity to identify strategic opportunities and emerging'
  ➜ Skipping stray line: 'technologies as they research and decide on a system to support a growing company. Topics will include technology strategy; gap analysis;'
  ➜ Skipping stray line: 'researching new technology; strengths, opportunities, weaknesses, and threats; ethics; risk mitigation; data security, communication plans; and'
  ➜ Skipping stray line: 'globalization.'
  ➜ Skipping stray line: 'NHC1 - Introduction to Instructional Planning and Presentation - Students will develop a basic understanding of effective instructional principles'
  ➜ Skipping stray line: 'and how to differentiate instruction in order to elicit powerful teaching in the classroom.'
  ➜ Skipping stray line: 'NMA1 - Professional Role of the ELL Teacher - The Professional Role of the ELL Teacher focuses on issues of professionalism for the English'
  ➜ Skipping stray line: 'Language Learning teacher and leader. This includes program development, ethics, engagement in professional organizations, serving as a resource,'
  ➜ Skipping stray line: 'and ELL advocacy.'
  ➜ Skipping stray line: 'NNA1 - Planning, Implementing, Managing Instruction - Planning, Implementing, Managing Instruction focuses on a variety of philosophies and'
  ➜ Skipping stray line: 'grade levels of English Language Learner (ELL) instruction. It includes the study of ELL listening and speaking, ELL reading and writing, specially'
  ➜ Skipping stray line: 'designed academic instruction in English (SDAIE), and specific issues for various grade level instruction.'
  ➜ Skipping stray line: 'OOT2 - Mathematics History and Technology - Mathematics History and Technology introduces a variety of technological tools for doing'
  ➜ Skipping stray line: 'mathematics, and you will develop a broad understanding of the historical development of mathematics. You will come to understand that'
  ➜ Skipping stray line: 'mathematics is a very human subject that comes from the macro-level sweep of cultural and societal change, as well as the micro-level actions of'
  ➜ Skipping stray line: 'individuals with personal, professional, and philosophical motivations. Most importantly, you will learn to evaluate and apply technological tools and'
  ➜ Skipping stray line: 'historical information to create an enriching student-centered mathematical learning environment. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'OPT2 - Mathematics Learning and Teaching - Mathematics Learning and Teaching will help you develop the knowledge and skills necessary to'
  ➜ Skipping stray line: 'become a prospective and practicing educator. You will be able to use a variety of instructional strategies to effectively facilitate the learning of'
  ➜ Skipping stray line: 'mathematics. This course focuses on selecting appropriate resources, using multiple strategies, and instructional planning, with methods based on'
  ➜ Skipping stray line: 'research and problem solving. A deep understanding of the knowledge, skills, and disposition of mathematics pedagogy is necessary to become an'
  ➜ Skipping stray line: 'effective secondary mathematics educator. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'PFHM - Business - HR Management Portfolio Requirement - Students prepare a culminating professional portfolio to demonstrate the'
  ➜ Skipping stray line: 'competencies they have learned throughout their program. The portfolio includes a strengths essay, a career report, a reflection essay, a résumé, and'
  ➜ Skipping stray line: 'exhibits demonstrating personal strengths in the work place.'
  ➜ Skipping stray line: 'PFIT - Business - IT Management Portfolio Requirement - Business - IT Management Portfolio Requirement is designed to help the learner'
  ➜ Skipping stray line: 'complete the culminating Undergraduate Business Portfolio assessment; it focuses on developing a business portfolio containing a strengths essay, a'
  ➜ Skipping stray line: 'career report, a reflection essay, a resume, and exhibits that support one’s strengths in the work place.'
  ➜ Skipping stray line: 'QDT1 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'
  ➜ Skipping stray line: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'
  ➜ Skipping stray line: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'
  ➜ Skipping stray line: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'
  ➜ Skipping stray line: 'Algebra is a prerequisite for this course.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 174'
  ➜ Skipping stray line: 'QDT2 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'
  ➜ Skipping stray line: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'
  ➜ Skipping stray line: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'
  ➜ Skipping stray line: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'
  ➜ Skipping stray line: 'Algebra is a prerequisite for this course.'
  ➜ Skipping stray line: 'QET1 - Business - HR Management Capstone Project - For the Business - HR Management Capstone Project students will integrate and'
  ➜ Skipping stray line: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ➜ Skipping stray line: 'professional field. A comprehensive business plan is developed for a company that offers HR products or services. The business plan includes a'
  ➜ Skipping stray line: 'market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ➜ Skipping stray line: 'QFT1 - Business - IT Management Capstone Project - The capstone requires students to demonstrate the integration and synthesis of'
  ➜ Skipping stray line: 'competencies in all domains required for the degree in Information Technology Management. The student produces a business plan for a start-up'
  ➜ Skipping stray line: 'company that is selected and approved by the student and mentor.'
  ➜ Skipping stray line: 'QGT1 - Business Management Capstone Written Project - For the Business Management Capstone Written Project students will integrate and'
  ➜ Skipping stray line: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ➜ Skipping stray line: 'professional field. A comprehensive business plan is developed for a company that plans to sell a product or service in a local market, national'
  ➜ Skipping stray line: 'market, or on the Internet. The business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to'
  ➜ Skipping stray line: 'the chosen company.'
  ➜ Skipping stray line: 'QHT1 - Business Management Tasks - Business Management Tasks addresses important concepts needed to effectively manage a'
  ➜ Skipping stray line: 'business. Topics include the cost-quality relationship, the use of various types of graphical charts in operations management, managing innovation,'
  ➜ Skipping stray line: 'and developing strategies for working with individuals and groups.'
  ➜ Skipping stray line: 'QIT1 - Business Marketing Management Capstone Written Project - For the Business Marketing Management Capstone Project students will'
  ➜ Skipping stray line: 'integrate and synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their'
  ➜ Skipping stray line: 'chosen professional field. A comprehensive business plan is developed for a company that provides some type of marketing product or service. The'
  ➜ Skipping stray line: 'business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ➜ Skipping stray line: 'QJT2 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to use'
  ➜ Skipping stray line: 'differential calculus of one variable and appropriate technology to solve basic problems. Topics include graphing functions and finding their domains'
  ➜ Skipping stray line: 'and ranges; limits, continuity, differentiability, visual, analytical, and conceptual approaches to the definition of the derivative; the power, chain, and'
  ➜ Skipping stray line: 'sum rules applied to polynomial and exponential functions, position and velocity; and L'Hopital's Rule. Candidates should have completed a course in'
  ➜ Skipping stray line: 'Pre-Calculus before engaging in this course.'
  ➜ Skipping stray line: 'QTT2 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ➜ Skipping stray line: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ➜ Skipping stray line: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ➜ Skipping stray line: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'RKT1 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ➜ Skipping stray line: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ➜ Skipping stray line: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ➜ Skipping stray line: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ➜ Skipping stray line: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ➜ Skipping stray line: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'RKT2 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ➜ Skipping stray line: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ➜ Skipping stray line: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ➜ Skipping stray line: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ➜ Skipping stray line: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ➜ Skipping stray line: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'RNT1 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ➜ Skipping stray line: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ➜ Skipping stray line: 'RNT2 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ➜ Skipping stray line: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ➜ Skipping stray line: 'RXT2 - Precalculus and Calculus - Precalculus and Calculus provides instruction in precalculus and calculus and applies them to examples found in'
  ➜ Skipping stray line: 'both mathematics and science. Topics in precalculus include principles of trigonometry, mathematical modeling, and logarithmic, exponential,'
  ➜ Skipping stray line: 'polynomial, and rational functions. Topics in calculus include conceptual knowledge of limit, continuity, differentiability, and integration.'
  ➜ Skipping stray line: 'SJT2 - Advanced Networking Technology - This course prepares students to support the ever growing interconnectivity needs of organizations.'
  ➜ Skipping stray line: 'Students will learn about advanced networking concepts, devices and strategies to provide superior network connectivity to organizations. A review of'
  ➜ Skipping stray line: 'common yet critical network devices and technologies will be provided such as switches, routers, hubs, firewalls, T-1s, ATM, fiber and others.'
  ➜ Skipping stray line: 'Students will also be prepared to review existing network environments and provide specifications to upgrade and enhance such networks.'
  ➜ Skipping stray line: 'SLO1 - Theories of Second Language Acquisition and Grammar - Theories of Second Language Learning Acquisition and Grammar covers'
  ➜ Skipping stray line: 'content material in applied linguistics, including morphology, syntax, semantics, and grammar. Students will explore the role of dialect in the'
  ➜ Skipping stray line: 'classroom, the connections between language and culture, and the theories of first and second language acquisition.'
  ➜ Skipping stray line: 'TAT2 - Technology Production - Technology Production focuses on the foundations of media and technology, integrated technology development,'
  ➜ Skipping stray line: 'and the integration of technology into appropriate instructional uses of productivity, and applying different research applications in the learning'
  ➜ Skipping stray line: 'environment.'
  ➜ Skipping stray line: 'TDT1 - Technology Design Portfolio - Technology Design Portfolio focuses on gaining a broad overview of the field of technology integration with a'
  ➜ Skipping stray line: 'fundamental understanding of some key concepts and principles, and enhancing technology skills to enable the producing of exportable instructional'
  ➜ Skipping stray line: 'and professional products using various integrated application programs.'
  ➜ Skipping stray line: 'TET1 - Issues in Technology Integration - Issues in Technology Integration focuses on the legal and ethical practice of technology, some personal'
  ➜ Skipping stray line: 'uses of electronic resources, the need for protection of information, the foundations of media and technology, what electronic learning communities'
  ➜ Skipping stray line: 'are, and the adaptive technologies for special populations.'
  ➜ Skipping stray line: 'TFT2 - Cyberlaw, Regulations, and Compliance - Cyberlaw, Regulations and Compliance prepares students to participate in legal analysis of'
  ➜ Skipping stray line: 'relevant cyberlaws and address governance, standards, policies, and legislation. Students will conduct a security risk analysis for an enterprise'
  ➜ Skipping stray line: 'system. In addition, students will determine cyber requirements for third‐party vendor agreements. Students will also evaluate provisions of both the'
  ➜ Skipping stray line: '2001 and 2006 USA PATRIOT Acts.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 175'
  ➜ Skipping stray line: 'TOC2 - Probability and Statistics I - Probability and Statistics I covers the knowledge and skills necessary to apply basic probability, descriptive'
  ➜ Skipping stray line: 'statistics, and statistical reasoning, and to use appropriate technology to model and solve real-life problems. It provides an introduction to the science'
  ➜ Skipping stray line: 'of collecting, processing, analyzing, and interpreting data. Topics include creating and interpreting numerical summaries and visual displays of data;'
  ➜ Skipping stray line: 'regression lines and correlation; evaluating sampling methods and their effect on possible conclusions; designing observational studies, controlled'
  ➜ Skipping stray line: 'experiments, and surveys; and determining probabilities using simulations, diagrams, and probability rules. College Algebra is a prerequisite for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'TQC1 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Skipping stray line: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Skipping stray line: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Skipping stray line: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Skipping stray line: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Skipping stray line: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Skipping stray line: 'TQC2 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Skipping stray line: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Skipping stray line: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Skipping stray line: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Skipping stray line: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Skipping stray line: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Skipping stray line: 'TSC2 - General Chemistry I - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Skipping stray line: 'solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic table and chemical'
  ➜ Skipping stray line: 'nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work focuses on using'
  ➜ Skipping stray line: 'effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TSP1 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Skipping stray line: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Skipping stray line: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TSP2 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Skipping stray line: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Skipping stray line: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TUC2 - General Chemistry II - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Skipping stray line: 'solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models, oxidation-reduction'
  ➜ Skipping stray line: 'reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on using effective'
  ➜ Skipping stray line: 'laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TUP1 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Skipping stray line: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Skipping stray line: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TUP2 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Skipping stray line: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Skipping stray line: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TVT2 - Governance, Finance, Law, and Leadership for Principals - This subdomain contains content in educational law, finance, and'
  ➜ Skipping stray line: 'administration as well as a case study review of your site’s leadership practices.'
  ➜ Skipping stray line: 'UFC1 - Managerial Accounting - This course focuses on identifying, gathering, and interpreting information that will be used for evaluating and'
  ➜ Skipping stray line: 'managing the performance of a business. Students will also study cost measurement for producing goods and services and how to analyze and'
  ➜ Skipping stray line: 'control these costs.'
  ➜ Skipping stray line: 'UQT1 - Organic Chemistry - This course focuses on the study of compounds that contain carbon, much of which is learning how to organize and'
  ➜ Skipping stray line: 'group these compounds based on common bonds found within them in order to predict their structure, behavior, and reactivity.'
  ➜ Skipping stray line: 'VLT2 - Security Policies and Standards - Best Practices - This course focuses on the practices of planning and implementing organization-wide'
  ➜ Skipping stray line: 'security and assurance initiatives as well as auditing assurance processes.'
  ➜ Skipping stray line: 'VYC1 - Principles of Accounting - Principles of Accounting focuses on ways in which accounting principles are used in business operations.'
  ➜ Skipping stray line: 'Students will learn about the basics of accounting, including how to use Generally Accepted Accounting Principles (GAAP), ledgers, and journals.'
  ➜ Skipping stray line: 'Students will also be introduced to the steps of the accounting cycle, concepts of assets and liabilities, and general information about accounting'
  ➜ Skipping stray line: 'information systems. This course also presents bank reconciliation methods, balance sheets, and business ethics.'
  ➜ Skipping stray line: 'VZT1 - Marketing Applications - Marketing Applications allows students to apply their knowledge of core marketing principles by creating a'
  ➜ Skipping stray line: 'comprehensive marketing plan. Their plan will apply their knowledge of the marketing planning process, market analysis, and the marketing mix'
  ➜ Skipping stray line: '(product, place, promotion, and price).'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 176'
  ➜ Skipping stray line: 'Course Mentor Directory'
  ➜ Skipping stray line: 'General Education'
  ➜ Skipping stray line: 'Adams, William; M.A., Savanah College of Art and Design'
  ➜ Skipping stray line: 'Aguirre, Jennifer; M.S., Walden University'
  ➜ Skipping stray line: 'Akens, Jonne; Ph. D., Texas A&M University'
  ➜ Skipping stray line: 'Alexander, Ledora; Ed.S., Walden University'
  ➜ Skipping stray line: 'Ashe, James; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Barnes, Lauri; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Baty, Amanda; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Benson, Bryan; Ph.D., Boston College'
  ➜ Skipping stray line: 'Bilbrey, Joshua; Ph.D., Texas State University'
  ➜ Skipping stray line: 'Borden, Anne; Ph.D., Emory University'
  ➜ Skipping stray line: 'Brewer, Craig: Ph.D., University of Notre Dame'
  ➜ Skipping stray line: 'Brown, Bonnie; Ph.D., Stephen F. Austin State University'
  ➜ Skipping stray line: 'Browning, Ellen; Ph.D., University of Texas, Arlington'
  ➜ Skipping stray line: 'Buchanan, Tenielle; Ed.D., Lipscomb University'
  ➜ Skipping stray line: 'Byrnes, Sean; Ph.D., Emory University'
  ➜ Skipping stray line: 'Carmona, Karla; M.S., Western Governors University'
  ➜ Skipping stray line: 'Castaneda, Gilivaldo; M.Ed., University of Texas at San Antonio'
  ➜ Skipping stray line: 'Chaves Ulloa, Ramsa; Ph.D., Dartmouth College'
  ➜ Skipping stray line: 'Chittick, Sharla; Ph.D., University of Stirling'
  ➜ Skipping stray line: 'Condit, Lorna; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Cowan, Christy; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Crawford, Nathan; Ph.D., University of Tennessee-Knoxville'
  ➜ Skipping stray line: 'Crooks, Kathleen; Ph.D., University of Akron'
  ➜ Skipping stray line: 'Cross, Cameron; M.S., Kaplan University'
  ➜ Skipping stray line: 'Cureton, Sara; M.A., Gonzaga Univeristy'
  ➜ Skipping stray line: 'Cutler, Ned; Ph.D., Duke University'
  ➜ Skipping stray line: 'Dodge, Joshua; M.A., University of Central Florida'
  ➜ Skipping stray line: 'Dorre, Gina; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Douglas, Katherine; M.A., University of California, San Diego'
  ➜ Skipping stray line: 'Duff, Kandi; Ed.D., Idaho State University'
  ➜ Skipping stray line: 'Dungar, Michael; MA, Boston College'
  ➜ Skipping stray line: 'Edmunds, Jeffrey; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Evans, Robin; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Evenson Newhouse, Ranae; Ph.D., Vanderbilt University'
  ➜ Skipping stray line: 'Faucett, Jessica; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Fehnel, Bradley; M.S., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Fellow, Jill; M.S., Brigham Young University'
  ➜ Skipping stray line: 'Franco, Heidi; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Frusciante, Denise; Ph.D., University of Miami'
  ➜ Skipping stray line: 'Galindez, Dahlia; MA, Western Governors University'
  ➜ Skipping stray line: 'Gangaram, Jitendra; Ph.D., North Central University'
  ➜ Skipping stray line: 'Garrett, Janette; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Goodwin, Rachel; Ph.D., University of Texas'
  ➜ Skipping stray line: 'Gordon, Kelley; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Gravitte, Kristen; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Gradzielewski, Andrew; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Halula, Stephen; Ph.D., Marquette University'
  ➜ Skipping stray line: 'Harris, Steven; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Hartwick, Andromeda; Ph.D., University of Michigan'
  ➜ Skipping stray line: 'Hayne, Victoria; Ph.D., University of California - Los Angeles'
  ➜ Skipping stray line: 'Hernandez, Ali; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Hillyer, Aaron; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Horne, Lisa; M.A., Brigham Young University'
  ➜ Skipping stray line: 'Hurley, Norman; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Jensen, Taylor; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Johnson, Stephanie; MBA, Lindenwood University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 177'
  ➜ Skipping stray line: 'Jones, Lee; Ph.D., Clark Atlanta University'
  ➜ Skipping stray line: 'Kelley, Matthew; Ph.D., University of Nevada-Las Vegas'
  ➜ Skipping stray line: 'Kelly, Lynn; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Knieps, Linda; Ph.D., Vanderbilt University'
  ➜ Skipping stray line: 'Knous, Helen; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Landry, Stan; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Latham, Kary; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Lauren, Jennifer; Ph.D., Duquesne University'
  ➜ Skipping stray line: 'Leep, Matthew; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Lettau, Lisa; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Little, David; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Lukin, Kara; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Main, Daniel; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Mammen, John; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Mantooth, Stacy; Ph. D., University of Nevada – Las Vegas'
  ➜ Skipping stray line: 'Martin, Jonathan; M.A., West Virginia University'
  ➜ Skipping stray line: 'Mays, Ashley; Ph.D., University of North Carolina at Chapel Hill'
  ➜ Skipping stray line: 'McCune, Timothy; Ph.D., Youngstown State University'
  ➜ Skipping stray line: 'McWatters, Mason; Ph.D., University of Texas at Austin'
  ➜ Skipping stray line: 'Metoki, Kiyoko; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Meyer, Nicholas; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Miller, Don; Ph.D., Morehouse School of Medicine'
  ➜ Skipping stray line: 'Miller, Kathleen; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Moody, Vivian; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Mosgrove, Sharon; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Moss, Meg; Ph.D., University of Tennessee-Knoxville'
  ➜ Skipping stray line: 'Mzoughi, Taha; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Nelson, Angela; Ph.D., Cornell University'
  ➜ Skipping stray line: 'Nicley, Erinn; M.S., Florida State University'
  ➜ Skipping stray line: 'Norton, Cindy; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Olson, Nels; Ph.D., Michigan State University'
  ➜ Skipping stray line: 'Oulette, David; Ph.D., Virginia Commonwealth University'
  ➜ Skipping stray line: 'Palmer, Michael; M.F.A., University of Utah'
  ➜ Skipping stray line: 'Pankowski, Peg; Ed.D., Duquesne University'
  ➜ Skipping stray line: 'Parrish, Anca; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Parton, Sabrena; Ph.D., University of Southern Mississippi'
  ➜ Skipping stray line: 'Parvin, Kathleen; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Peppers, Shelitha; Ed.D., Maryville University'
  ➜ Skipping stray line: 'Perkins, Heidi; M.S., Excelsior College'
  ➜ Skipping stray line: 'Phillips, Dedra; M.A., Colorado Technical University'
  ➜ Skipping stray line: 'Potter, Christine; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Quintela, Melissa; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Radosavljevic, Alexander; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Redden, Cameron; MAT, Baldwin Wallace University'
  ➜ Skipping stray line: 'Redkey, Elizabeth; Ph.D., University at Albany, State University of New York'
  ➜ Skipping stray line: 'Remington, Theodore; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Rhodes, Kristofer; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Robinson, Ami; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Robinson, Jeffery; Ph.D., Drew University'
  ➜ Skipping stray line: 'Rosenblatt, Heather; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Rossi, Cynthia; Ph.D., University of Maryland'
  ➜ Skipping stray line: 'Saddler, Derrick; Ph.D., University of South Florida'
  ➜ Skipping stray line: 'Sanchez, Melvin; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Scheg, Abigail; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Scheib, Douglas; Ph.D., University of Miami'
  ➜ Skipping stray line: 'Scotece, Shannon; Ph.D., State University of New York - Albany'
  ➜ Skipping stray line: 'Shahi, Kimberley; Ph.D., University of Texas at Arlington'
  ➜ Skipping stray line: 'Sharpe, Robert; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Shimotsu-Dariol, Stephanie; Ph.D., West Virginia University'
  ➜ Skipping stray line: 'Simeon, Patricia; Ed.D., Grambling State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 178'
  ➜ Skipping stray line: 'Simmons, Nathaniel; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Smith, Tommie; MBA, Middle Tennessee State University'
  ➜ Skipping stray line: 'Springfield, Derriell; Ed.D., East Tennessee State University'
  ➜ Skipping stray line: 'St Martin, Ashley; M.S., University of Vermont'
  ➜ Skipping stray line: 'Stambaugh, Nathaniel; Ph.D., Brandeis University'
  ➜ Skipping stray line: 'Starr, Neil; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Timmer, Kristin; Ph.D., University of Tennessee Health Science Center'
  ➜ Skipping stray line: 'Tolin Schultz, Alexandra; Ph.D., Stony Brook University'
  ➜ Skipping stray line: 'Tucker, Diana; Ph.D., Southern Illinois University Carbondale'
  ➜ Skipping stray line: 'Tweedy, Joanna; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Verber, Jason; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Vida, Anna; M.A., Arizona State University'
  ➜ Skipping stray line: 'Walker, Hope; M.A., The American University'
  ➜ Skipping stray line: 'Weaver, Matthew; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Webb, James; M.A., Pacific University'
  ➜ Skipping stray line: 'Wellinghoff, Lisa; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Westmoreland, Brandi; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Whitson-Whennen, Tonya; M.M., University of Utah'
  ➜ Skipping stray line: 'Woolridge, Mary; Ph.D., University of Central Florida'
  ➜ Skipping stray line: 'Young, Michael; Ph.D., University of Missouri at Saint Louis'
  ➜ Skipping stray line: 'Zasadny, Jill; Ph.D., Kansas University'
  ➜ Skipping stray line: 'Teachers College'
  ➜ Skipping stray line: 'Aafif, Amal; Ph.D., Drexel University'
  ➜ Skipping stray line: 'Affleck, Alisa; M.A., Western Governors University'
  ➜ Skipping stray line: 'Allen, Elizabeth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Aranda, Christina; M.A., University of Utah'
  ➜ Skipping stray line: 'Aufderhaar, Carolyn; Ed.D., University of Cincinnati'
  ➜ Skipping stray line: 'Baxter, Marissa; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Belchik-Moser, Sara; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Betts, Anastasia; Ph.D., Regent University'
  ➜ Skipping stray line: 'Blanks, Dorothy; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Boen, Laurie; Ph.D., University of Arkansas'
  ➜ Skipping stray line: 'Boyd-Bradwell, Natasha; Ph.D., Capella University'
  ➜ Skipping stray line: 'Branan, Daniel; Ph.D., University of Denver'
  ➜ Skipping stray line: 'Branch, Leah; Ed.D., Bethel University'
  ➜ Skipping stray line: 'Brogan, Lynn; Ed.D., Columbia University'
  ➜ Skipping stray line: 'Brooks, Marlaina; Ed.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Calero, Lisa; Ph.D., Capella University'
  ➜ Skipping stray line: 'Carey, Kimberly; Ph.D., Old Dominion University'
  ➜ Skipping stray line: 'Cartwright, Nancy; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'Cohen, Kimberley; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Constanza, Michele; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Covey, Nicole; Ed.D., University of Memphis'
  ➜ Skipping stray line: 'Douglas, Deanna; Ph.D., Wichita State University'
  ➜ Skipping stray line: 'Dove, Teresa; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Dukes, Debra; Ed.D., University of Georgia'
  ➜ Skipping stray line: 'Durakiewicz, Anna; M.S., University of Marie Curie'
  ➜ Skipping stray line: 'Eisenhour, Melanie; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Feng, Suiping; Ph.D., City University of New York'
  ➜ Skipping stray line: 'Fillpot, Elsie; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Flavin, Kathryn; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Flores, Alberto; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Francis, David; M.A., Western Governors University'
  ➜ Skipping stray line: 'Giddens, Evelyn; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gillman, Brenna; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Gray-Dowdy, Audra; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Hall, Robert; Ph.D., Capella University'
  ➜ Skipping stray line: 'Halverson, Colleen; Ph.D., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Harbin, Lesley; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 179'
  ➜ Skipping stray line: 'Hardin, Bridgette; Ed.D., Texas A&M University-Corpus Christi'
  ➜ Skipping stray line: 'Hedman, Shawn; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Henry, Joanna; M.E., Lamar University'
  ➜ Skipping stray line: 'Hernandez, Julie; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Hiebel, Adam; Ed.D., Ohio University'
  ➜ Skipping stray line: 'Hudon-Miller, Sarah; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Hughes, Amy; Ed.D., University of Montana'
  ➜ Skipping stray line: 'Hutson, Tommye; Ed.D., Baylor University'
  ➜ Skipping stray line: 'Igbinoba-Cummings, Monique; Ph.D., Lynn University'
  ➜ Skipping stray line: 'Izumi, Alisa; Ed.D., University of Massachusetts'
  ➜ Skipping stray line: 'Jacobs, Patricia; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Janitzki, Dean; M.A., University of Toledo'
  ➜ Skipping stray line: 'Johnson, Sherri; Ph.D., Capella University'
  ➜ Skipping stray line: 'Jovic, Marko; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Kain, Meri; Ed.D., University of Missouri'
  ➜ Skipping stray line: 'Kelly, Gretchen; Ed.D., Walden University'
  ➜ Skipping stray line: 'Leinbach, William; Ed.D., Oregon State University'
  ➜ Skipping stray line: 'Lindemann, Steven; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Linkenhoker, Dina; Ed.D., Liberty University'
  ➜ Skipping stray line: 'Lipscomb, Pauline; Ed.D., University of the Cumberlands'
  ➜ Skipping stray line: 'Luster, Sandricia; Ed.S., Argosy University'
  ➜ Skipping stray line: 'McCarver, Patricia; Ph.D., California Institute of Integral Studies'
  ➜ Skipping stray line: 'McDaniel, Maryann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'McGrath Hovland, Michelle; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Mendes, John; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Miller, Esther; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Mills, Ginger; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Moore, Tontaleya; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Morgan, Matthew; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Mour, Jennifer; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Murray, Mary; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Obianyo, Obiamaka; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Odom, M. Katherine; Ph.D., University of South Alabama'
  ➜ Skipping stray line: 'O’Malley, Maureen; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Pack, Mamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Parry, Kelly; Ph.D., University of North Texas'
  ➜ Skipping stray line: 'Purnell, Courtney; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Quinn, Lori; M.A.Ed., Prairie View A&M University'
  ➜ Skipping stray line: 'Rahsaz, Jacqueline; M.A., University of California San Diego'
  ➜ Skipping stray line: 'Randonis, Jennifer; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Rawson, Robert; Ph.D., University of Texas Southwestern'
  ➜ Skipping stray line: 'Richen, Damara; Ed.D., Fielding Graduate University'
  ➜ Skipping stray line: 'Robles, Veronica; Ed.D., Arizona State University'
  ➜ Skipping stray line: 'Rogers, Carmelle; Ph.D., Kansas State University'
  ➜ Skipping stray line: 'Russell-Fry, Nancy; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Scales, Rebecca; M.A., Western Governors University'
  ➜ Skipping stray line: 'Schmidt, Stan; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Sepetys, Peggy; Ed.D., University of Michigan'
  ➜ Skipping stray line: 'Shrader, Vincent; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Silver, Jennifer; Ph.D., New York University'
  ➜ Skipping stray line: 'Sims, Rachel; Ed.D., Walden University'
  ➜ Skipping stray line: 'Smith, Janeal; Ph.D., Walden University'
  ➜ Skipping stray line: 'Spencer, Kristin; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Story, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Swenson, Karl; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Thompson, Julie; Ph.D., University of Rochester'
  ➜ Skipping stray line: 'Traub-Metlay, Suzanne; Ph.D., University of Pittsburg'
  ➜ Skipping stray line: 'Tresnak, Robyn; Ph.D., Walden University'
  ➜ Skipping stray line: 'Turner, Carmen; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Vickers, Paul; Ed.D., Stephen F. Austin State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 180'
  ➜ Skipping stray line: 'Walter-Sullivan, Earnestyne; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'Weinstein, Gideon; Ph.D., Indiana University Bloomington'
  ➜ Skipping stray line: 'Whitmire, Jane; Ph.D., University of Montana'
  ➜ Skipping stray line: 'Willey-Rendon, Ruby; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Williams, Lacey; Ed.D., Union Institute and University'
  ➜ Skipping stray line: 'Wisnosky, Marc; Ph.D., University of Pittsburgh'
  ➜ Skipping stray line: 'Yanusheva, Lidiya; Ed.D., Walden University'
  ➜ Skipping stray line: 'Yatherajam, Gayatri; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Zartman, Krista; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Zimmerli, Mandy; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'College of Business'
  ➜ Skipping stray line: 'Abubakari, Nina; J.D., Wayne State University'
  ➜ Skipping stray line: 'Adler, Kathleen; Ph.D., Southern Methodist University'
  ➜ Skipping stray line: 'Alafita, Theresa; Ph.D., George Washington University'
  ➜ Skipping stray line: 'Arenz, Russell; Ph.D., Colorado Technical University'
  ➜ Skipping stray line: 'Argiento, Steven; J.D., Pace University'
  ➜ Skipping stray line: 'Austin, Judy; MBA, Western Governors University'
  ➜ Skipping stray line: 'Baragoshi, Behroz; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Barton, Robert; Ed.S., Utah State University'
  ➜ Skipping stray line: 'Black, Hilda; Ph.D., Louisiana Tech University'
  ➜ Skipping stray line: 'Borch, Casey; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Boysen-Rotelli, Sheila; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Brownstein, Steven; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Carson, Pook; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Cassell, Kenneth; MBA, San Jose State University'
  ➜ Skipping stray line: 'Cherry, Patricia; Ph.D., Capella University'
  ➜ Skipping stray line: 'Clarke, Jeffrey; Ph.D., University of California-Los Angeles'
  ➜ Skipping stray line: 'Connor, Martin; J.D., University of North Dakota'
  ➜ Skipping stray line: 'Davis, Lorretta; Ph.D., Capella University'
  ➜ Skipping stray line: 'Davis, Mary; Ed.D., Central Michigan University'
  ➜ Skipping stray line: 'Doctorman, Lindsey; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Doren, Andrew; D.M., University of Maryland'
  ➜ Skipping stray line: 'Dula, Kimberly; Ph.D., Mercer University'
  ➜ Skipping stray line: 'Duran, Anthony; DBA, Grand Canyon University'
  ➜ Skipping stray line: 'Ennis, Erica; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Etter, Edwin; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Feehery, George; DBA, Nova Southeastern University'
  ➜ Skipping stray line: 'Fisher, Paul; Ph.D., Oregon State University'
  ➜ Skipping stray line: 'Gallo, Merry; DBA, Argosy University'
  ➜ Skipping stray line: 'Garland, Jennifer; DBA, Keiser University'
  ➜ Skipping stray line: 'Geddes, Bruce; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gilyot, Bianca; MBA, Northcentral University'
  ➜ Skipping stray line: 'Giscombe, Hilbert; DBA, Argosy University'
  ➜ Skipping stray line: 'Gough, Gregory; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Green, Maurice; Ph.D., University at Albany – State University of New York'
  ➜ Skipping stray line: 'Gunn, Linda; Ph.D., Union Institute and University'
  ➜ Skipping stray line: 'Havins, Merwin; Ed.D., Northern Arizona University'
  ➜ Skipping stray line: 'Heinzman, Joseph; DM, Colorado Technical University'
  ➜ Skipping stray line: 'Hon, Charles; Ph.D., Capella University'
  ➜ Skipping stray line: 'Hudson, Brandi; J.D., Regent University'
  ➜ Skipping stray line: 'Iannucci, Brian; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Imboden, Paul; DBA., Northcentral University'
  ➜ Skipping stray line: 'Jividen, Jim; J.D., Ohio Northern University'
  ➜ Skipping stray line: 'Jones, Alan; MBA, Dartmouth College'
  ➜ Skipping stray line: 'Justice, Jeanne; DBA, Walden University'
  ➜ Skipping stray line: 'Kale, Mrinalini; Ph.D., Capella University'
  ➜ Skipping stray line: 'Kenny, Timothy; M.S., Regis University'
  ➜ Skipping stray line: 'Kowalski, Christine; Ed.D., National Louis University'
  ➜ Skipping stray line: 'Kushniroff, Melinda; Ed.D., Liberty University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 181'
  ➜ Skipping stray line: 'La Hay, Ann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Lagroue, Harold; Ph.D., Louisiana State University'
  ➜ Skipping stray line: 'Lamer, Maryann; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Langdon, Debra; MBA, Denver University'
  ➜ Skipping stray line: 'Lutter-Cooper, Victoria; Ph.D., Capella University'
  ➜ Skipping stray line: 'Marshall, Mario; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'McClesky, Jamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'McNulty, Peggy; Ph.D., University of Colorado-Colorado Springs'
  ➜ Skipping stray line: 'Melton, Rebecca; Ph.D., Chicago School of Professional Psychology'
  ➜ Skipping stray line: 'Mills, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Moore, Detria; J.D., Liberty University'
  ➜ Skipping stray line: 'Neely, Cecil; MBA, University of North Carolina at Greensboro'
  ➜ Skipping stray line: 'Nelms, Linda; Ph.D., Capella University'
  ➜ Skipping stray line: 'Nelson, Camille; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'O’Brien, Joseph; Ed.D., George Washington University'
  ➜ Skipping stray line: 'Openshaw, Matthew; Ph.D., University of Texas at Dallas'
  ➜ Skipping stray line: 'Parish, Beth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Patterson, Julie; Ph.D., University of Illinois at Urbana-Champaign'
  ➜ Skipping stray line: 'Pawarski, Richard; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Phillips, Patti; J.D., Stetson University'
  ➜ Skipping stray line: 'Pratt, Christopher; DHA, University of Phoenix'
  ➜ Skipping stray line: 'Raimo, Steve; DSL, Regent University'
  ➜ Skipping stray line: 'Richardson, Shay; DBA, Walden University'
  ➜ Skipping stray line: 'Roberts, Tracia; M.S., University of Phoenix'
  ➜ Skipping stray line: 'Roberts, Wade; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Rogers, Katie; MBA, University of Utah'
  ➜ Skipping stray line: 'Sawant, Gauri; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Shah, Rob; MBA, DeVry University'
  ➜ Skipping stray line: 'Shepherd, Tracie; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Skinner, Susan; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Snipes, Dawna; J.D., Western Michigan University'
  ➜ Skipping stray line: 'Souder, Michele; MBA, University of Dayton'
  ➜ Skipping stray line: 'Spicer, Ronald; Ph.D., Capella University'
  ➜ Skipping stray line: 'Stewart, Michelle; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Strickland, Cynthia; Ph.D., Touro University International'
  ➜ Skipping stray line: 'Swarthout, Nanette; MBA, Fontbonne University'
  ➜ Skipping stray line: 'Tapp, Timothy; MHA, Washington University'
  ➜ Skipping stray line: 'Thomas, Melanie; J.D., University of North Carolina'
  ➜ Skipping stray line: 'Venkateswar, Sankaran; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Wachter, Eddie; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Wade, Keith; MBA, University of Detroit'
  ➜ Skipping stray line: 'Walker, Natalie; DBA, Keiser University'
  ➜ Skipping stray line: 'Wang, Xiaofei; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Williams, Pegeen; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Williams, Rian; MPA, University of Utah'
  ➜ Skipping stray line: 'Wood, Carrie; M.S., Strayer University'
  ➜ Skipping stray line: 'College of Information Technology'
  ➜ Skipping stray line: 'Al-Husaam, Abdul; Ph.D., Capella University'
  ➜ Skipping stray line: 'Alberici, Mary; Ph.D., University of Missouri-St. Louis'
  ➜ Skipping stray line: 'Allen, Candice; M.A., Capella University'
  ➜ Skipping stray line: 'Antonucci, Amy; M.S., University of Delaware'
  ➜ Skipping stray line: 'Banerjee, Pubali; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'Beverley, Charles; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Blanson, Constance; Ph.D., Capella University'
  ➜ Skipping stray line: 'Bojonny, John; M.S., Marywood University'
  ➜ Skipping stray line: 'Borsum, Pamela; MBA, Western Governors University'
  ➜ Skipping stray line: 'Campbell, Wendy; DBA, Northcentral University'
  ➜ Skipping stray line: 'Carter, Betty; M.S., Troy University'
  ➜ Skipping stray line: 'Cobbs, Dana; M.S., College of William and Mary'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 182'
  ➜ Skipping stray line: 'Cook, Henry; M.S., Clark Atlanta University'
  ➜ Skipping stray line: 'Crawford, Demetria; M.S., Boston University'
  ➜ Skipping stray line: 'Dupree, Yolanda; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Farmer, Jaynee; M.A., University of Arkansas at Little Rock'
  ➜ Skipping stray line: 'Ferdinand, Jeff; M.S., Trident University International'
  ➜ Skipping stray line: 'Gardner, Diana; MBA, Western Governors University'
  ➜ Skipping stray line: 'Garza, Brian; M.S., Western Governors University'
  ➜ Skipping stray line: 'Goodwin, Orenthio; Ph.D., Capella University'
  ➜ Skipping stray line: 'Heiner, Jenny; M.S., Capitol College'
  ➜ Skipping stray line: 'Huff, David; Ph.D., Wayne State University'
  ➜ Skipping stray line: 'Jensen, Bryan; M.S., Bellvue University'
  ➜ Skipping stray line: 'Kercher, Paul; M.S., Missouri University of Science and Technology'
  ➜ Skipping stray line: 'LaMolinare, Deana; M.S., Duquesne University'
  ➜ Skipping stray line: 'Lang, Cythia; MSCHe, University of Maryland'
  ➜ Skipping stray line: 'Lavieri, Edward; DCS, Colorado Technical University'
  ➜ Skipping stray line: 'Light, Gerri; M.S., Walden University'
  ➜ Skipping stray line: 'Lively, Charles; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'McFarlane, Michele; M.S., DeVry University'
  ➜ Skipping stray line: 'McLaughlin, Mike; M.S., University of Maine'
  ➜ Skipping stray line: 'Mendell, Ronald; M.S., Capitol College'
  ➜ Skipping stray line: 'Milham, Thomas; MNCM, DeVry University'
  ➜ Skipping stray line: 'Moore, Ronald; M.A., Troy University'
  ➜ Skipping stray line: 'Morrill, Ralph; Ph.D., North Central University'
  ➜ Skipping stray line: 'Ntinglet-Davis, Emelda; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Ozmer, Connie; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Paddock, Charles; Ph.D., University of Houston'
  ➜ Skipping stray line: 'Peterson, Michael; Ph.D., Capella University'
  ➜ Skipping stray line: 'Pinaire, Ken; MBA, University of Texas at Dallas'
  ➜ Skipping stray line: 'Rawlinson, David; J.D., South Texas College of Law'
  ➜ Skipping stray line: 'Schaefer, Brett; MBA, DeVry University'
  ➜ Skipping stray line: 'Shenk, Maria; M.S., City University of Seattle'
  ➜ Skipping stray line: 'Scutro, Rebecca; M.S., Saint Joseph’s University'
  ➜ Skipping stray line: 'Sewell, William; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Sher-DeCusatis, Carolyn; M.A., State University of New York at Stony Brook'
  ➜ Skipping stray line: 'Shields, Jessica; MFA, Savannah College of Art and Design'
  ➜ Skipping stray line: 'Sistelos, Antonio; Ph.D., Indiana State University'
  ➜ Skipping stray line: 'Stromberg, Scott; M.S., Nova Southeastern University'
  ➜ Skipping stray line: 'Swanson, Tom; Ph.D., Capella University'
  ➜ Skipping stray line: 'Taylor, Julinda; M.S., Wichita State University'
  ➜ Skipping stray line: 'Travis, Susan; M.A., University of Phoenix'
  ➜ Skipping stray line: 'College of Health Professions'
  ➜ Skipping stray line: 'Abdur-Rahman, Veronica; Ph.D., Texas Woman’s University'
  ➜ Skipping stray line: 'Abee, Debra; M.S., University of North Carolina Greensboro'
  ➜ Skipping stray line: 'Abraham, Gail; MSN/ED, University of Phoenix'
  ➜ Skipping stray line: 'Adams, Lora; M.S., Michigan State University'
  ➜ Skipping stray line: 'Adkins, Dee; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Allen, Juanita; DNP, University of Utah'
  ➜ Skipping stray line: 'Ashby, Shelley; DNP, University of Southern Indiana'
  ➜ Skipping stray line: 'Austgen, Donna; M.S., University of Indianapolis'
  ➜ Skipping stray line: 'Barber, Kendar; M.S., Indiana University'
  ➜ Skipping stray line: 'Battle, Linda; DNP, Regis College'
  ➜ Skipping stray line: 'Benoit, Heidi; M.S., Western Governors University'
  ➜ Skipping stray line: 'Benson, Johnett; DNP, Kent State University'
  ➜ Skipping stray line: 'Bergfeld, Marcia; M.S., Lourdes College'
  ➜ Skipping stray line: 'Berndt, Janeen; DNP, Valparaiso University'
  ➜ Skipping stray line: 'Blaine, Stephanie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Cain, Lyn; Ph.D., Grand Canyon University'
  ➜ Skipping stray line: 'Carney, Mary; DNP, Touro University – Nevada'
  ➜ Skipping stray line: 'Chau-Nguyen, Thao; MPH, Tulane University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 183'
  ➜ Skipping stray line: 'Cleveland, Melissa; DNP, Rocky Mountain University'
  ➜ Skipping stray line: 'Cloonan, Kelly; DNP, Case Western Reserve'
  ➜ Skipping stray line: 'Dahdal, Kimberly; M.S., Western Governors University'
  ➜ Skipping stray line: 'Dantzler, Barbara; Ph.D., Trident University'
  ➜ Skipping stray line: 'Diaz, Constance; Ph.D., University of Northern Colorado'
  ➜ Skipping stray line: 'Diaz, Lorna; DNP, Western University of Health Sciences'
  ➜ Skipping stray line: 'Dorin, Michelle; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Dush, Curtis; M.S., East Tennessee State University'
  ➜ Skipping stray line: 'Elmer, Justine; M.S., Kaplan University'
  ➜ Skipping stray line: 'Englert, Mary; DNP, University of North Florida'
  ➜ Skipping stray line: 'Feather, Rebecca; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Frankie, Sandra; M.S., Western Governors University'
  ➜ Skipping stray line: 'Gabel, Ann; M.S., University of Kansas'
  ➜ Skipping stray line: 'Gayol, Marcos; M.S., Aspen University'
  ➜ Skipping stray line: 'Giaquinto, Elisa; M.A., Brown University'
  ➜ Skipping stray line: 'Gogatz, Debra; DNP, Regis University'
  ➜ Skipping stray line: 'Golden, Christina; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Gottesfeld, Ilene; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Gwyn, Elizabeth; M.S., Winston Salem State University'
  ➜ Skipping stray line: 'Hadsell, Christine; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Hansen, Julie; Ph.D., South Dakota State University'
  ➜ Skipping stray line: 'Hartley-Clanton, Patricia; M.S., University of Utah'
  ➜ Skipping stray line: 'Hawkins, Shannon; M.S., Walden University'
  ➜ Skipping stray line: 'Heyer-Schmidt, Theres-Anne; ND, University of Colorado-Denver'
  ➜ Skipping stray line: 'Hill, Dana; Ph.D., Walden University'
  ➜ Skipping stray line: 'Hunt, Eleanor; M.S., Duke University'
  ➜ Skipping stray line: 'Johnson-Anderson, Heidi; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Kangas, Sandra; Ph.D., Georgia State University'
  ➜ Skipping stray line: 'Kogan, Lisa; M.S., Western Governors University'
  ➜ Skipping stray line: 'Langer Atkinson, Heidi; Ph.D., University of Albany'
  ➜ Skipping stray line: 'Lashlee, Marilyn; DNP, Northeastern University'
  ➜ Skipping stray line: 'Long, Jennifer; M.S., Indiana University'
  ➜ Skipping stray line: 'Marshall, Janet; Ph.D., Rush University'
  ➜ Title candidate: 'Masterson, Debra; Ed.D., Liberty University'
  ✔️ Collected description (40 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 6589: 'C893 - Geology II: Earth Systems - Geology II: Earth Systems provides graduate students seeking licensure or endorsement in science education'

🔍 parse_program: starting at line 6589: 'C893 - Geology II: Earth Systems - Geology II: Earth Systems provides graduate students seeking licensure or endorsement in science education'
  ➜ Title candidate: 'C893 - Geology II: Earth Systems - Geology II: Earth Systems provides graduate students seeking licensure or endorsement in science education'
  ❌ Invalid title line: 'C893 - Geology II: Earth Systems - Geology II: Earth Systems provides graduate students seeking licensure or endorsement in science education'
  ➜ Parsing at 6590: 'for grades 5-12 with an examination of the geosphere, atmosphere, hydrosphere, and biosphere, and the dynamic equilibrium of these systems over'

🔍 parse_program: starting at line 6590: 'for grades 5-12 with an examination of the geosphere, atmosphere, hydrosphere, and biosphere, and the dynamic equilibrium of these systems over'
  ➜ Title candidate: 'for grades 5-12 with an examination of the geosphere, atmosphere, hydrosphere, and biosphere, and the dynamic equilibrium of these systems over'
  ❌ Invalid title line: 'for grades 5-12 with an examination of the geosphere, atmosphere, hydrosphere, and biosphere, and the dynamic equilibrium of these systems over'
  ➜ Parsing at 6591: 'geologic time. This course also examines the history of Earth and its life-forms, with an emphasis in meteorology. A prerequisite for this course is'

🔍 parse_program: starting at line 6591: 'geologic time. This course also examines the history of Earth and its life-forms, with an emphasis in meteorology. A prerequisite for this course is'
  ➜ Title candidate: 'geologic time. This course also examines the history of Earth and its life-forms, with an emphasis in meteorology. A prerequisite for this course is'
  ❌ Invalid title line: 'geologic time. This course also examines the history of Earth and its life-forms, with an emphasis in meteorology. A prerequisite for this course is'
  ➜ Parsing at 6592: 'Geology I: Physical.'

🔍 parse_program: starting at line 6592: 'Geology I: Physical.'
  ➜ Title candidate: 'Geology I: Physical.'
  ❌ Invalid title line: 'Geology I: Physical.'
  ➜ Parsing at 6593: 'C894 - Astronomy - This course provides undergraduate students seeking initial licensure or endorsement in geosciences for grades 5−12 with'

🔍 parse_program: starting at line 6593: 'C894 - Astronomy - This course provides undergraduate students seeking initial licensure or endorsement in geosciences for grades 5−12 with'
  ➜ Title candidate: 'C894 - Astronomy - This course provides undergraduate students seeking initial licensure or endorsement in geosciences for grades 5−12 with'
  ❌ Invalid title line: 'C894 - Astronomy - This course provides undergraduate students seeking initial licensure or endorsement in geosciences for grades 5−12 with'
  ➜ Parsing at 6594: 'essential knowledge of astronomy and explores Western history and basic physics of astronomy; phases of the moon and seasons; composition and'

🔍 parse_program: starting at line 6594: 'essential knowledge of astronomy and explores Western history and basic physics of astronomy; phases of the moon and seasons; composition and'
  ➜ Title candidate: 'essential knowledge of astronomy and explores Western history and basic physics of astronomy; phases of the moon and seasons; composition and'
  ❌ Invalid title line: 'essential knowledge of astronomy and explores Western history and basic physics of astronomy; phases of the moon and seasons; composition and'
  ➜ Parsing at 6595: 'properties of solar system bodies; stellar evolution and remnants; properties and scale of objects and distances within the universe; and introductory'

🔍 parse_program: starting at line 6595: 'properties of solar system bodies; stellar evolution and remnants; properties and scale of objects and distances within the universe; and introductory'
  ➜ Title candidate: 'properties of solar system bodies; stellar evolution and remnants; properties and scale of objects and distances within the universe; and introductory'
  ❌ Invalid title line: 'properties of solar system bodies; stellar evolution and remnants; properties and scale of objects and distances within the universe; and introductory'
  ➜ Parsing at 6596: 'cosmology. A prerequisite for this course is General Physics.'

🔍 parse_program: starting at line 6596: 'cosmology. A prerequisite for this course is General Physics.'
  ➜ Title candidate: 'cosmology. A prerequisite for this course is General Physics.'
  ❌ Invalid title line: 'cosmology. A prerequisite for this course is General Physics.'
  ➜ Parsing at 6597: 'C895 - Astronomy - This course provides graduate students seeking initial licensure or endorsement in geosciences for grades 5−12 with essential'

🔍 parse_program: starting at line 6597: 'C895 - Astronomy - This course provides graduate students seeking initial licensure or endorsement in geosciences for grades 5−12 with essential'
  ➜ Title candidate: 'C895 - Astronomy - This course provides graduate students seeking initial licensure or endorsement in geosciences for grades 5−12 with essential'
  ❌ Invalid title line: 'C895 - Astronomy - This course provides graduate students seeking initial licensure or endorsement in geosciences for grades 5−12 with essential'
  ➜ Parsing at 6598: 'knowledge of astronomy and explores Western history and basic physics of astronomy; phases of the moon and seasons; composition and properties'

🔍 parse_program: starting at line 6598: 'knowledge of astronomy and explores Western history and basic physics of astronomy; phases of the moon and seasons; composition and properties'
  ➜ Title candidate: 'knowledge of astronomy and explores Western history and basic physics of astronomy; phases of the moon and seasons; composition and properties'
  ❌ Invalid title line: 'knowledge of astronomy and explores Western history and basic physics of astronomy; phases of the moon and seasons; composition and properties'
  ➜ Parsing at 6599: 'of solar system bodies; stellar evolution and remnants; properties and scale of objects and distances within the universe; and introductory cosmology.'

🔍 parse_program: starting at line 6599: 'of solar system bodies; stellar evolution and remnants; properties and scale of objects and distances within the universe; and introductory cosmology.'
  ➜ Title candidate: 'of solar system bodies; stellar evolution and remnants; properties and scale of objects and distances within the universe; and introductory cosmology.'
  ❌ Invalid title line: 'of solar system bodies; stellar evolution and remnants; properties and scale of objects and distances within the universe; and introductory cosmology.'
  ➜ Parsing at 6600: 'A prerequisite for this course is General Physics.'

🔍 parse_program: starting at line 6600: 'A prerequisite for this course is General Physics.'
  ➜ Title candidate: 'A prerequisite for this course is General Physics.'
  ❌ Invalid title line: 'A prerequisite for this course is General Physics.'
  ➜ Parsing at 6601: 'C896 - Science Methods - Science Methods provides undergraduate students seeking initial licensure or endorsement in the sciences for grades'

🔍 parse_program: starting at line 6601: 'C896 - Science Methods - Science Methods provides undergraduate students seeking initial licensure or endorsement in the sciences for grades'
  ➜ Title candidate: 'C896 - Science Methods - Science Methods provides undergraduate students seeking initial licensure or endorsement in the sciences for grades'
  ❌ Invalid title line: 'C896 - Science Methods - Science Methods provides undergraduate students seeking initial licensure or endorsement in the sciences for grades'
  ➜ Parsing at 6602: '5-12 with an introduction to science teaching methods and laboratory safety training. Course content focuses on designing and teaching with the three'

🔍 parse_program: starting at line 6602: '5-12 with an introduction to science teaching methods and laboratory safety training. Course content focuses on designing and teaching with the three'
  ➜ Title candidate: '5-12 with an introduction to science teaching methods and laboratory safety training. Course content focuses on designing and teaching with the three'
  ❌ Invalid title line: '5-12 with an introduction to science teaching methods and laboratory safety training. Course content focuses on designing and teaching with the three'
  ➜ Parsing at 6603: 'dimensions of science: disciplinary core ideas, crosscutting concepts, and science and engineering practices. Laboratory safety training and'

🔍 parse_program: starting at line 6603: 'dimensions of science: disciplinary core ideas, crosscutting concepts, and science and engineering practices. Laboratory safety training and'
  ➜ Title candidate: 'dimensions of science: disciplinary core ideas, crosscutting concepts, and science and engineering practices. Laboratory safety training and'
  ❌ Invalid title line: 'dimensions of science: disciplinary core ideas, crosscutting concepts, and science and engineering practices. Laboratory safety training and'
  ➜ Parsing at 6604: 'certification will include the proper use of personal protective equipment and safe laboratory practices and procedures in science classrooms. This'

🔍 parse_program: starting at line 6604: 'certification will include the proper use of personal protective equipment and safe laboratory practices and procedures in science classrooms. This'
  ➜ Title candidate: 'certification will include the proper use of personal protective equipment and safe laboratory practices and procedures in science classrooms. This'
  ❌ Invalid title line: 'certification will include the proper use of personal protective equipment and safe laboratory practices and procedures in science classrooms. This'
  ➜ Parsing at 6605: 'course has no prerequisites.'

🔍 parse_program: starting at line 6605: 'course has no prerequisites.'
  ➜ Title candidate: 'course has no prerequisites.'
  ❌ Invalid title line: 'course has no prerequisites.'
  ➜ Parsing at 6606: 'C897 - Mathematics: Content Knowledge - Mathematics: Content Knowledge is designed to help candidates refine and integrate the mathematics'

🔍 parse_program: starting at line 6606: 'C897 - Mathematics: Content Knowledge - Mathematics: Content Knowledge is designed to help candidates refine and integrate the mathematics'
  ➜ Title candidate: 'C897 - Mathematics: Content Knowledge - Mathematics: Content Knowledge is designed to help candidates refine and integrate the mathematics'
  ❌ Invalid title line: 'C897 - Mathematics: Content Knowledge - Mathematics: Content Knowledge is designed to help candidates refine and integrate the mathematics'
  ➜ Parsing at 6607: 'content knowledge and skills necessary to become successful secondary mathematics teachers. A high level of mathematical reasoning skills and the'

🔍 parse_program: starting at line 6607: 'content knowledge and skills necessary to become successful secondary mathematics teachers. A high level of mathematical reasoning skills and the'
  ➜ Title candidate: 'content knowledge and skills necessary to become successful secondary mathematics teachers. A high level of mathematical reasoning skills and the'
  ❌ Invalid title line: 'content knowledge and skills necessary to become successful secondary mathematics teachers. A high level of mathematical reasoning skills and the'
  ➜ Parsing at 6608: 'ability to solve problems are necessary to complete this course. Prerequisites for this course are College Geometry, Probability and Statistics I, and'

🔍 parse_program: starting at line 6608: 'ability to solve problems are necessary to complete this course. Prerequisites for this course are College Geometry, Probability and Statistics I, and'
  ➜ Title candidate: 'ability to solve problems are necessary to complete this course. Prerequisites for this course are College Geometry, Probability and Statistics I, and'
  ❌ Invalid title line: 'ability to solve problems are necessary to complete this course. Prerequisites for this course are College Geometry, Probability and Statistics I, and'
  ➜ Parsing at 6609: 'Pre-Calculus.'

🔍 parse_program: starting at line 6609: 'Pre-Calculus.'
  ➜ Title candidate: 'Pre-Calculus.'
  ❌ Invalid title line: 'Pre-Calculus.'
  ➜ Parsing at 6610: 'C898 - Earth Science: Content Knowledge - This course covers the advanced content knowledge that a secondary Earth Science teachers is'

🔍 parse_program: starting at line 6610: 'C898 - Earth Science: Content Knowledge - This course covers the advanced content knowledge that a secondary Earth Science teachers is'
  ➜ Title candidate: 'C898 - Earth Science: Content Knowledge - This course covers the advanced content knowledge that a secondary Earth Science teachers is'
  ❌ Invalid title line: 'C898 - Earth Science: Content Knowledge - This course covers the advanced content knowledge that a secondary Earth Science teachers is'
  ➜ Parsing at 6611: 'expected to know and understand. Topics include basic scientific principles of Earth and Space Sciences, tectonics and internal Earth processes,'

🔍 parse_program: starting at line 6611: 'expected to know and understand. Topics include basic scientific principles of Earth and Space Sciences, tectonics and internal Earth processes,'
  ➜ Title candidate: 'expected to know and understand. Topics include basic scientific principles of Earth and Space Sciences, tectonics and internal Earth processes,'
  ❌ Invalid title line: 'expected to know and understand. Topics include basic scientific principles of Earth and Space Sciences, tectonics and internal Earth processes,'
  ➜ Parsing at 6612: 'Earth materials and surface processes, history of the Earth and its Life-Forms, Earth's atmosphere and hydrosphhere, and astronomy.'

🔍 parse_program: starting at line 6612: 'Earth materials and surface processes, history of the Earth and its Life-Forms, Earth's atmosphere and hydrosphhere, and astronomy.'
  ➜ Title candidate: 'Earth materials and surface processes, history of the Earth and its Life-Forms, Earth's atmosphere and hydrosphhere, and astronomy.'
  ❌ Invalid title line: 'Earth materials and surface processes, history of the Earth and its Life-Forms, Earth's atmosphere and hydrosphhere, and astronomy.'
  ➜ Parsing at 6613: 'C900 - Biology: Content Knowledge - This comprehensive course examines a student’s conceptual understanding of a broad range of biology'

🔍 parse_program: starting at line 6613: 'C900 - Biology: Content Knowledge - This comprehensive course examines a student’s conceptual understanding of a broad range of biology'
  ➜ Title candidate: 'C900 - Biology: Content Knowledge - This comprehensive course examines a student’s conceptual understanding of a broad range of biology'
  ❌ Invalid title line: 'C900 - Biology: Content Knowledge - This comprehensive course examines a student’s conceptual understanding of a broad range of biology'
  ➜ Parsing at 6614: 'topics. High school biology teachers must help students make connections between isolated topics. For example, when studying hormones created by'

🔍 parse_program: starting at line 6614: 'topics. High school biology teachers must help students make connections between isolated topics. For example, when studying hormones created by'
  ➜ Title candidate: 'topics. High school biology teachers must help students make connections between isolated topics. For example, when studying hormones created by'
  ❌ Invalid title line: 'topics. High school biology teachers must help students make connections between isolated topics. For example, when studying hormones created by'
  ➜ Parsing at 6615: 'endocrine glands traveling through the circulatory system to maintain homeostasis, a student is connecting many biology topics. This course starts'

🔍 parse_program: starting at line 6615: 'endocrine glands traveling through the circulatory system to maintain homeostasis, a student is connecting many biology topics. This course starts'
  ➜ Title candidate: 'endocrine glands traveling through the circulatory system to maintain homeostasis, a student is connecting many biology topics. This course starts'
  ❌ Invalid title line: 'endocrine glands traveling through the circulatory system to maintain homeostasis, a student is connecting many biology topics. This course starts'
  ➜ Parsing at 6616: 'with macromolecules that make up cellular components and continues with understanding the many cellular processes that allow life to exist.'

🔍 parse_program: starting at line 6616: 'with macromolecules that make up cellular components and continues with understanding the many cellular processes that allow life to exist.'
  ➜ Title candidate: 'with macromolecules that make up cellular components and continues with understanding the many cellular processes that allow life to exist.'
  ❌ Invalid title line: 'with macromolecules that make up cellular components and continues with understanding the many cellular processes that allow life to exist.'
  ➜ Parsing at 6617: 'Connections are then made between genetics and evolution. Classification of organisms leads into plant and animal development that study the organ'

🔍 parse_program: starting at line 6617: 'Connections are then made between genetics and evolution. Classification of organisms leads into plant and animal development that study the organ'
  ➜ Title candidate: 'Connections are then made between genetics and evolution. Classification of organisms leads into plant and animal development that study the organ'
  ❌ Invalid title line: 'Connections are then made between genetics and evolution. Classification of organisms leads into plant and animal development that study the organ'
  ➜ Parsing at 6618: 'systems and their role in maintaining homeostasis. The course finishes by studying ecology and how humans affect the environment.'

🔍 parse_program: starting at line 6618: 'systems and their role in maintaining homeostasis. The course finishes by studying ecology and how humans affect the environment.'
  ➜ Title candidate: 'systems and their role in maintaining homeostasis. The course finishes by studying ecology and how humans affect the environment.'
  ❌ Invalid title line: 'systems and their role in maintaining homeostasis. The course finishes by studying ecology and how humans affect the environment.'
  ➜ Parsing at 6619: 'C901 - Physics: Content Knowledge - Physics: Content Knowledge covers the advanced content knowledge that a secondary physics teacher is'

🔍 parse_program: starting at line 6619: 'C901 - Physics: Content Knowledge - Physics: Content Knowledge covers the advanced content knowledge that a secondary physics teacher is'
  ➜ Title candidate: 'C901 - Physics: Content Knowledge - Physics: Content Knowledge covers the advanced content knowledge that a secondary physics teacher is'
  ❌ Invalid title line: 'C901 - Physics: Content Knowledge - Physics: Content Knowledge covers the advanced content knowledge that a secondary physics teacher is'
  ➜ Parsing at 6620: 'expected to know and understand. Topics include mechanics, electricity and magnetism, optics and waves, heat and thermodynamics, modern'

🔍 parse_program: starting at line 6620: 'expected to know and understand. Topics include mechanics, electricity and magnetism, optics and waves, heat and thermodynamics, modern'
  ➜ Title candidate: 'expected to know and understand. Topics include mechanics, electricity and magnetism, optics and waves, heat and thermodynamics, modern'
  ❌ Invalid title line: 'expected to know and understand. Topics include mechanics, electricity and magnetism, optics and waves, heat and thermodynamics, modern'
  ➜ Parsing at 6621: 'physics, atomic and nuclear structure, the history and nature of science, science technology, and social perspectives.'

🔍 parse_program: starting at line 6621: 'physics, atomic and nuclear structure, the history and nature of science, science technology, and social perspectives.'
  ➜ Title candidate: 'physics, atomic and nuclear structure, the history and nature of science, science technology, and social perspectives.'
  ❌ Invalid title line: 'physics, atomic and nuclear structure, the history and nature of science, science technology, and social perspectives.'
  ➜ Parsing at 6622: 'C902 - Middle School Science: Content Knowledge - This course covers the content knowledge that a middle-level science teacher is expected to'

🔍 parse_program: starting at line 6622: 'C902 - Middle School Science: Content Knowledge - This course covers the content knowledge that a middle-level science teacher is expected to'
  ➜ Title candidate: 'C902 - Middle School Science: Content Knowledge - This course covers the content knowledge that a middle-level science teacher is expected to'
  ❌ Invalid title line: 'C902 - Middle School Science: Content Knowledge - This course covers the content knowledge that a middle-level science teacher is expected to'
  ➜ Parsing at 6623: 'know and understand. Topics include scientific methodologies, history of science, basic science principles, physical sciences, life sciences, Earth and'

🔍 parse_program: starting at line 6623: 'know and understand. Topics include scientific methodologies, history of science, basic science principles, physical sciences, life sciences, Earth and'
  ➜ Title candidate: 'know and understand. Topics include scientific methodologies, history of science, basic science principles, physical sciences, life sciences, Earth and'
  ❌ Invalid title line: 'know and understand. Topics include scientific methodologies, history of science, basic science principles, physical sciences, life sciences, Earth and'
  ➜ Parsing at 6624: 'space sciences, and the role of science and technology and their impact on society.'

🔍 parse_program: starting at line 6624: 'space sciences, and the role of science and technology and their impact on society.'
  ➜ Title candidate: 'space sciences, and the role of science and technology and their impact on society.'
  ❌ Invalid title line: 'space sciences, and the role of science and technology and their impact on society.'
  ➜ Parsing at 6625: 'C903 - Middle School Mathematics: Content Knowledge - Mathematics: Middle School Content Knowledge is designed to help candidates refine'

🔍 parse_program: starting at line 6625: 'C903 - Middle School Mathematics: Content Knowledge - Mathematics: Middle School Content Knowledge is designed to help candidates refine'
  ➜ Title candidate: 'C903 - Middle School Mathematics: Content Knowledge - Mathematics: Middle School Content Knowledge is designed to help candidates refine'
  ❌ Invalid title line: 'C903 - Middle School Mathematics: Content Knowledge - Mathematics: Middle School Content Knowledge is designed to help candidates refine'
  ➜ Parsing at 6626: 'and integrate the mathematics content knowledge and skills necessary to become successful middle school mathematics teachers. A high level of'

🔍 parse_program: starting at line 6626: 'and integrate the mathematics content knowledge and skills necessary to become successful middle school mathematics teachers. A high level of'
  ➜ Title candidate: 'and integrate the mathematics content knowledge and skills necessary to become successful middle school mathematics teachers. A high level of'
  ❌ Invalid title line: 'and integrate the mathematics content knowledge and skills necessary to become successful middle school mathematics teachers. A high level of'
  ➜ Parsing at 6627: 'mathematical reasoning skills and the ability to solve problems are necessary to complete this course. Prerequisites for this course are College'

🔍 parse_program: starting at line 6627: 'mathematical reasoning skills and the ability to solve problems are necessary to complete this course. Prerequisites for this course are College'
  ➜ Title candidate: 'mathematical reasoning skills and the ability to solve problems are necessary to complete this course. Prerequisites for this course are College'
  ❌ Invalid title line: 'mathematical reasoning skills and the ability to solve problems are necessary to complete this course. Prerequisites for this course are College'
  ➜ Parsing at 6628: 'Geometry, Probability and Statistics I, and Pre-Calculus.'

🔍 parse_program: starting at line 6628: 'Geometry, Probability and Statistics I, and Pre-Calculus.'
  ➜ Title candidate: 'Geometry, Probability and Statistics I, and Pre-Calculus.'
  ❌ Invalid title line: 'Geometry, Probability and Statistics I, and Pre-Calculus.'
  ➜ Parsing at 6629: 'C904 - Teacher Performance Assessment in Science - The Teacher Performance Assessment in Science is a culmination of the wide variety of'

🔍 parse_program: starting at line 6629: 'C904 - Teacher Performance Assessment in Science - The Teacher Performance Assessment in Science is a culmination of the wide variety of'
  ➜ Title candidate: 'C904 - Teacher Performance Assessment in Science - The Teacher Performance Assessment in Science is a culmination of the wide variety of'
  ❌ Invalid title line: 'C904 - Teacher Performance Assessment in Science - The Teacher Performance Assessment in Science is a culmination of the wide variety of'
  ➜ Parsing at 6630: 'skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a'

🔍 parse_program: starting at line 6630: 'skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a'
  ➜ Title candidate: 'skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a'
  ❌ Invalid title line: 'skills learned during your time in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a'
  ➜ Parsing at 6631: 'collection of your content, planning, instructional, and'

🔍 parse_program: starting at line 6631: 'collection of your content, planning, instructional, and'
  ➜ Title candidate: 'collection of your content, planning, instructional, and'
  ❌ Invalid title line: 'collection of your content, planning, instructional, and'
  ➜ Parsing at 6632: 'reflective skills in this professional assessment.'

🔍 parse_program: starting at line 6632: 'reflective skills in this professional assessment.'
  ➜ Title candidate: 'reflective skills in this professional assessment.'
  ❌ Invalid title line: 'reflective skills in this professional assessment.'
  ➜ Parsing at 6633: 'C907 - Introduction to Biology - This course is a foundational introduction to the biological sciences. The overarching theories of life from biological'

🔍 parse_program: starting at line 6633: 'C907 - Introduction to Biology - This course is a foundational introduction to the biological sciences. The overarching theories of life from biological'
  ➜ Title candidate: 'C907 - Introduction to Biology - This course is a foundational introduction to the biological sciences. The overarching theories of life from biological'
  ❌ Invalid title line: 'C907 - Introduction to Biology - This course is a foundational introduction to the biological sciences. The overarching theories of life from biological'
  ➜ Parsing at 6634: 'research are explored as well as the fundamental concepts and principles of the study of living organisms and their interaction with the environment.'

🔍 parse_program: starting at line 6634: 'research are explored as well as the fundamental concepts and principles of the study of living organisms and their interaction with the environment.'
  ➜ Title candidate: 'research are explored as well as the fundamental concepts and principles of the study of living organisms and their interaction with the environment.'
  ❌ Invalid title line: 'research are explored as well as the fundamental concepts and principles of the study of living organisms and their interaction with the environment.'
  ➜ Parsing at 6635: 'Key concepts include how living organisms use and produce energy; how life grows, develops, and reproduces; how life responds to the environment'

🔍 parse_program: starting at line 6635: 'Key concepts include how living organisms use and produce energy; how life grows, develops, and reproduces; how life responds to the environment'
  ➜ Title candidate: 'Key concepts include how living organisms use and produce energy; how life grows, develops, and reproduces; how life responds to the environment'
  ❌ Invalid title line: 'Key concepts include how living organisms use and produce energy; how life grows, develops, and reproduces; how life responds to the environment'
  ➜ Parsing at 6636: 'to maintain internal stability; and how life evolves and adapts to the environment.'

🔍 parse_program: starting at line 6636: 'to maintain internal stability; and how life evolves and adapts to the environment.'
  ➜ Title candidate: 'to maintain internal stability; and how life evolves and adapts to the environment.'
  ❌ Invalid title line: 'to maintain internal stability; and how life evolves and adapts to the environment.'
  ➜ Parsing at 6637: 'C908 - Integrated Physical Sciences - This course provides students with an overview of the basic principles and unifying ideas of the physical'

🔍 parse_program: starting at line 6637: 'C908 - Integrated Physical Sciences - This course provides students with an overview of the basic principles and unifying ideas of the physical'
  ➜ Title candidate: 'C908 - Integrated Physical Sciences - This course provides students with an overview of the basic principles and unifying ideas of the physical'
  ❌ Invalid title line: 'C908 - Integrated Physical Sciences - This course provides students with an overview of the basic principles and unifying ideas of the physical'
  ➜ Parsing at 6638: 'sciences: physics, chemistry, and Earth sciences. Course materials focus on scientific reasoning and practical and everyday applications of physical'

🔍 parse_program: starting at line 6638: 'sciences: physics, chemistry, and Earth sciences. Course materials focus on scientific reasoning and practical and everyday applications of physical'
  ➜ Title candidate: 'sciences: physics, chemistry, and Earth sciences. Course materials focus on scientific reasoning and practical and everyday applications of physical'
  ❌ Invalid title line: 'sciences: physics, chemistry, and Earth sciences. Course materials focus on scientific reasoning and practical and everyday applications of physical'
  ➜ Parsing at 6639: 'science concepts to help students integrate conceptual knowledge with practical skills.'

🔍 parse_program: starting at line 6639: 'science concepts to help students integrate conceptual knowledge with practical skills.'
  ➜ Title candidate: 'science concepts to help students integrate conceptual knowledge with practical skills.'
  ❌ Invalid title line: 'science concepts to help students integrate conceptual knowledge with practical skills.'
  ➜ Parsing at 6640: 'C909 - Elementary Reading Methods and Interventions - Elementary Reading Methods and Interventions provides students seeking initial teacher'

🔍 parse_program: starting at line 6640: 'C909 - Elementary Reading Methods and Interventions - Elementary Reading Methods and Interventions provides students seeking initial teacher'
  ➜ Title candidate: 'C909 - Elementary Reading Methods and Interventions - Elementary Reading Methods and Interventions provides students seeking initial teacher'
  ❌ Invalid title line: 'C909 - Elementary Reading Methods and Interventions - Elementary Reading Methods and Interventions provides students seeking initial teacher'
  ➜ Parsing at 6641: 'licensure in elementary education with an in-depth look at best practices for developing the reading and writing skills of all students. Course content'

🔍 parse_program: starting at line 6641: 'licensure in elementary education with an in-depth look at best practices for developing the reading and writing skills of all students. Course content'
  ➜ Title candidate: 'licensure in elementary education with an in-depth look at best practices for developing the reading and writing skills of all students. Course content'
  ❌ Invalid title line: 'licensure in elementary education with an in-depth look at best practices for developing the reading and writing skills of all students. Course content'
  ➜ Parsing at 6642: 'examines the stages of literacy development, the balanced literacy approach, differentiation, technology integration, literacy-assessment, and the'

🔍 parse_program: starting at line 6642: 'examines the stages of literacy development, the balanced literacy approach, differentiation, technology integration, literacy-assessment, and the'
  ➜ Title candidate: 'examines the stages of literacy development, the balanced literacy approach, differentiation, technology integration, literacy-assessment, and the'
  ❌ Invalid title line: 'examines the stages of literacy development, the balanced literacy approach, differentiation, technology integration, literacy-assessment, and the'
  ➜ Parsing at 6643: 'comprehensive Response to Intervention (RTI) model used to identify and address the needs of learners who struggle with reading comprehension.'

🔍 parse_program: starting at line 6643: 'comprehensive Response to Intervention (RTI) model used to identify and address the needs of learners who struggle with reading comprehension.'
  ➜ Title candidate: 'comprehensive Response to Intervention (RTI) model used to identify and address the needs of learners who struggle with reading comprehension.'
  ❌ Invalid title line: 'comprehensive Response to Intervention (RTI) model used to identify and address the needs of learners who struggle with reading comprehension.'
  ➜ Parsing at 6644: 'This course has no prerequisites.'

🔍 parse_program: starting at line 6644: 'This course has no prerequisites.'
  ➜ Title candidate: 'This course has no prerequisites.'
  ❌ Invalid title line: 'This course has no prerequisites.'
  ➜ Parsing at 6645: 'C910 - Elementary Reading Methods and Interventions - Elementary Reading Methods and Interventions provides students seeking initial teacher'

🔍 parse_program: starting at line 6645: 'C910 - Elementary Reading Methods and Interventions - Elementary Reading Methods and Interventions provides students seeking initial teacher'
  ➜ Title candidate: 'C910 - Elementary Reading Methods and Interventions - Elementary Reading Methods and Interventions provides students seeking initial teacher'
  ❌ Invalid title line: 'C910 - Elementary Reading Methods and Interventions - Elementary Reading Methods and Interventions provides students seeking initial teacher'
  ➜ Parsing at 6646: 'licensure in elementary education with an in-depth look at best practices for developing the reading and writing skills of all students. Course content'

🔍 parse_program: starting at line 6646: 'licensure in elementary education with an in-depth look at best practices for developing the reading and writing skills of all students. Course content'
  ➜ Title candidate: 'licensure in elementary education with an in-depth look at best practices for developing the reading and writing skills of all students. Course content'
  ❌ Invalid title line: 'licensure in elementary education with an in-depth look at best practices for developing the reading and writing skills of all students. Course content'
  ➜ Parsing at 6647: 'examines the stages of literacy development, the balanced literacy approach, differentiation, technology integration, literacy-assessment, and the'

🔍 parse_program: starting at line 6647: 'examines the stages of literacy development, the balanced literacy approach, differentiation, technology integration, literacy-assessment, and the'
  ➜ Title candidate: 'examines the stages of literacy development, the balanced literacy approach, differentiation, technology integration, literacy-assessment, and the'
  ❌ Invalid title line: 'examines the stages of literacy development, the balanced literacy approach, differentiation, technology integration, literacy-assessment, and the'
  ➜ Parsing at 6648: 'comprehensive Response to Intervention (RTI) model used to identify and address the needs of learners who struggle with reading comprehension.'

🔍 parse_program: starting at line 6648: 'comprehensive Response to Intervention (RTI) model used to identify and address the needs of learners who struggle with reading comprehension.'
  ➜ Title candidate: 'comprehensive Response to Intervention (RTI) model used to identify and address the needs of learners who struggle with reading comprehension.'
  ❌ Invalid title line: 'comprehensive Response to Intervention (RTI) model used to identify and address the needs of learners who struggle with reading comprehension.'
  ➜ Parsing at 6649: 'This course has no prerequisites.'

🔍 parse_program: starting at line 6649: 'This course has no prerequisites.'
  ➜ Title candidate: 'This course has no prerequisites.'
  ❌ Invalid title line: 'This course has no prerequisites.'
  ➜ Parsing at 6650: 'C912 - College Algebra - This course provides further application and analysis of algebraic concepts and functions through mathematical modeling of'

🔍 parse_program: starting at line 6650: 'C912 - College Algebra - This course provides further application and analysis of algebraic concepts and functions through mathematical modeling of'
  ➜ Title candidate: 'C912 - College Algebra - This course provides further application and analysis of algebraic concepts and functions through mathematical modeling of'
  ❌ Invalid title line: 'C912 - College Algebra - This course provides further application and analysis of algebraic concepts and functions through mathematical modeling of'
  ➜ Parsing at 6651: 'real-world situations. Topics include: real numbers, algebraic expressions, equations and inequalities, graphs and functions, polynomial and rational'

🔍 parse_program: starting at line 6651: 'real-world situations. Topics include: real numbers, algebraic expressions, equations and inequalities, graphs and functions, polynomial and rational'
  ➜ Title candidate: 'real-world situations. Topics include: real numbers, algebraic expressions, equations and inequalities, graphs and functions, polynomial and rational'
  ❌ Invalid title line: 'real-world situations. Topics include: real numbers, algebraic expressions, equations and inequalities, graphs and functions, polynomial and rational'
  ➜ Parsing at 6652: 'functions, exponential and logarithmic functions, and systems of linear equations.'

🔍 parse_program: starting at line 6652: 'functions, exponential and logarithmic functions, and systems of linear equations.'
  ➜ Title candidate: 'functions, exponential and logarithmic functions, and systems of linear equations.'
  ❌ Invalid title line: 'functions, exponential and logarithmic functions, and systems of linear equations.'
  ➜ Parsing at 6653: 'C913 - Psychology for Educators - This course prepares candidates to meet the expectations of society and prepares future educators to support'

🔍 parse_program: starting at line 6653: 'C913 - Psychology for Educators - This course prepares candidates to meet the expectations of society and prepares future educators to support'
  ➜ Title candidate: 'C913 - Psychology for Educators - This course prepares candidates to meet the expectations of society and prepares future educators to support'
  ❌ Invalid title line: 'C913 - Psychology for Educators - This course prepares candidates to meet the expectations of society and prepares future educators to support'
  ➜ Parsing at 6654: 'classroom practice with research-validated concepts. The course helps future educators to create a framework for refining teaching skills that are'

🔍 parse_program: starting at line 6654: 'classroom practice with research-validated concepts. The course helps future educators to create a framework for refining teaching skills that are'
  ➜ Title candidate: 'classroom practice with research-validated concepts. The course helps future educators to create a framework for refining teaching skills that are'
  ❌ Invalid title line: 'classroom practice with research-validated concepts. The course helps future educators to create a framework for refining teaching skills that are'
  ➜ Parsing at 6655: 'focused on the learner, through engaged inquiry of integrating theory, critical issues in psychology, classroom applications with diverse populations,'

🔍 parse_program: starting at line 6655: 'focused on the learner, through engaged inquiry of integrating theory, critical issues in psychology, classroom applications with diverse populations,'
  ➜ Title candidate: 'focused on the learner, through engaged inquiry of integrating theory, critical issues in psychology, classroom applications with diverse populations,'
  ❌ Invalid title line: 'focused on the learner, through engaged inquiry of integrating theory, critical issues in psychology, classroom applications with diverse populations,'
  ➜ Parsing at 6656: 'assessment, educational technology, and reflective teaching.'

🔍 parse_program: starting at line 6656: 'assessment, educational technology, and reflective teaching.'
  ➜ Title candidate: 'assessment, educational technology, and reflective teaching.'
  ❌ Invalid title line: 'assessment, educational technology, and reflective teaching.'
  ➜ Parsing at 6657: 'C914 - Teacher Performance Assessment in Mathematics Education - The Teacher Performance Assessment is a culmination of the wide variety'

🔍 parse_program: starting at line 6657: 'C914 - Teacher Performance Assessment in Mathematics Education - The Teacher Performance Assessment is a culmination of the wide variety'
  ➜ Title candidate: 'C914 - Teacher Performance Assessment in Mathematics Education - The Teacher Performance Assessment is a culmination of the wide variety'
  ❌ Invalid title line: 'C914 - Teacher Performance Assessment in Mathematics Education - The Teacher Performance Assessment is a culmination of the wide variety'
  ➜ Parsing at 6658: 'of skills learned during your time'

🔍 parse_program: starting at line 6658: 'of skills learned during your time'
  ➜ Title candidate: 'of skills learned during your time'
  ❌ Invalid title line: 'of skills learned during your time'
  ➜ Parsing at 6659: 'in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of your content,'

🔍 parse_program: starting at line 6659: 'in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of your content,'
  ➜ Title candidate: 'in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of your content,'
  ❌ Invalid title line: 'in the Teachers College at WGU. In order to be a competent and independent classroom teacher, you will showcase a collection of your content,'
  ➜ Parsing at 6660: 'planning, instructional, and reflective skills in this professional assessment.'

🔍 parse_program: starting at line 6660: 'planning, instructional, and reflective skills in this professional assessment.'
  ➜ Title candidate: 'planning, instructional, and reflective skills in this professional assessment.'
  ❌ Invalid title line: 'planning, instructional, and reflective skills in this professional assessment.'
  ➜ Parsing at 6661: '© Western Governors University 7/19/17 170'

🔍 parse_program: starting at line 6661: '© Western Governors University 7/19/17 170'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'C915 - Chemistry: Content Knowledge - Chemistry: Content Knowledge provides advanced instruction in the main areas of chemistry for which'
  ➜ Skipping stray line: 'secondary chemistry teachers are expected to demonstrate competency. Topics include matter and energy, thermochemistry, structure, bonding,'
  ➜ Skipping stray line: 'reactivity, biochemistry and organic chemistry, solutions, nature of science, technology and social perspectives, mathematics, and laboratory'
  ➜ Skipping stray line: 'procedures.'
  ➜ Skipping stray line: 'C925 - Earth: Inside and Out - Earth: Inside and Out explores the ways in which our dynamic planet evolved, and the processes and systems that'
  ➜ Skipping stray line: 'continue to shape it. Though the geologic record is incredibly ancient, it has only been studied intensely since the end of the nineteenth century. Since'
  ➜ Skipping stray line: 'then, research in fields such as geologic time, plate tectonics, climate change, exploration of the deep sea floor, and the inner earth have vastly'
  ➜ Skipping stray line: 'increased our understanding of geological processes. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C926 - Earth: Inside and Out - Earth: Inside and Out explores the ways in which our dynamic planet evolved, and the processes and systems that'
  ➜ Skipping stray line: 'continue to shape it. Though the geologic record is incredibly ancient, it has only been studied intensely since the end of the nineteenth century. Since'
  ➜ Skipping stray line: 'then, research in fields such as geologic time, plate tectonics, climate change, exploration of the deep sea floor, and the inner earth have vastly'
  ➜ Skipping stray line: 'increased our understanding of geological processes. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'C930 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C931 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C932 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C933 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Skipping stray line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Skipping stray line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Skipping stray line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Skipping stray line: 'completed resume.'
  ➜ Skipping stray line: 'C934 - Preclinical Experiences in Elementary and Special Education - Preclinical Experiences in Elementary and Special Education provides'
  ➜ Skipping stray line: 'students the opportunity to observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence'
  ➜ Skipping stray line: 'necessary to be an effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the'
  ➜ Skipping stray line: 'classroom for the observations, students will be required to meet several requirements including a cleared background check, passing scores on the'
  ➜ Skipping stray line: 'state or WGU required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C935 - Preclinical Experiences in Elementary Education - Preclinical Experiences in Elementary Education provides students the opportunity to'
  ➜ Skipping stray line: 'observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an'
  ➜ Skipping stray line: 'effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the'
  ➜ Skipping stray line: 'observations, students will be required to meet several requirements including a cleared background check, passing scores on the state or WGU'
  ➜ Skipping stray line: 'required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C936 - Preclinical Experiences in Elementary Education - Preclinical Experiences in Elementary Education provides students the opportunity to'
  ➜ Skipping stray line: 'observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an'
  ➜ Skipping stray line: 'effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the'
  ➜ Skipping stray line: 'observations, students will be required to meet several requirements including a cleared background check, passing scores on the state or WGU'
  ➜ Skipping stray line: 'required basic skills exam and a completed resume.'
  ➜ Skipping stray line: 'C937 - Preclinical Experiences in Science - Preclinical Experiences in Science provides students the opportunity to observe and participate in a'
  ➜ Skipping stray line: 'wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will'
  ➜ Skipping stray line: 'reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required'
  ➜ Skipping stray line: 'to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed'
  ➜ Skipping stray line: 'resume.'
  ➜ Skipping stray line: 'C938 - Preclinical Experiences in Science - Preclinical Experiences in Science provides students the opportunity to observe and participate in a'
  ➜ Skipping stray line: 'wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will'
  ➜ Skipping stray line: 'reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required'
  ➜ Skipping stray line: 'to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed'
  ➜ Skipping stray line: 'resume.'
  ➜ Skipping stray line: 'CQC2 - Calculus II - Calculus II is the study of the accumulation of change in relation to the area under a curve. It covers the knowledge and skills'
  ➜ Skipping stray line: 'necessary to apply integral calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include'
  ➜ Skipping stray line: 'antiderivatives; indefinite integrals; the substitution rule; Riemann sums; the Fundamental Theorem of Calculus; definite integrals; acceleration,'
  ➜ Skipping stray line: 'velocity, position, and initial values; integration by parts; integration by trigonometric substitution; integration by partial fractions; numerical integration;'
  ➜ Skipping stray line: 'improper integration; area between curves; volumes and surface areas of revolution; arc length; work; center of mass; separable differential equations;'
  ➜ Skipping stray line: 'direction fields; growth and decay problems; and sequences. Calculus I is a prerequisite for this course.'
  ➜ Skipping stray line: 'CUA1 - Culture - Focuses on the nature and role of culture and the importance of cultural groups and cultural identity.'
  ➜ Skipping stray line: 'CWEL - Capstone Written Project in Educational Leadership - The capstone project will consist of the design and implementation of a short-term'
  ➜ Skipping stray line: 'datadriven school improvement initiative. Through the case study approach and during the capstone experience, you will identify one or more'
  ➜ Skipping stray line: 'measurable outcome improvement areas in your case study / practicum site. You will propose and develop short-term school improvement initiatives'
  ➜ Skipping stray line: 'and will then measure the outcomes and results of your implemented improvement initiatives.'
  ➜ Skipping stray line: 'CZC1 - Accounting II - Accounting II is a continuation of the topics that were addressed in Accounting I. Accounting II focuses on ways in which'
  ➜ Skipping stray line: 'accounting principles are used in business operations, deepening the student's understanding of Generally Accepted Accounting Principles (GAAP),'
  ➜ Skipping stray line: 'inventory, liabilities, and budgets. This course also introduces topics that are important for corporate accounting and financial analysis.'
  ➜ Skipping stray line: 'DPT1 - Physics: Electricity and Magnetism - Physics: Electricity and Magnetism addresses principles related to the physics of electricity and'
  ➜ Skipping stray line: 'magnetism. Students will study electric and magnetic forces and then apply that knowledge to the study of circuits with resistors and electromagnetic'
  ➜ Skipping stray line: 'induction and waves, focusing on such topics as: Electric charge and electric field, electric currents and resistance, magnetism, electromagnetic'
  ➜ Skipping stray line: 'induction and Faraday's law, and Maxwell's equation and electromagnetic waves.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 171'
  ➜ Skipping stray line: 'DPT2 - Physics: Electricity and Magnetism - Physics: Electricity and Magnetism addresses principles related to the physics of electricity and'
  ➜ Skipping stray line: 'magnetism. Students will study electric and magnetic forces and then apply that knowledge to the study of circuits with resistors and electromagnetic'
  ➜ Skipping stray line: 'induction and waves, focusing on such topics as: Electric charge and electric field, electric currents and resistance, magnetism, electromagnetic'
  ➜ Skipping stray line: 'induction and Faraday's law, and Maxwell's equation and electromagnetic waves.'
  ➜ Skipping stray line: 'DRC1 - Educational Assessment - Educational Assessment assists students in making appropriate data-driven instructional decisions by exploring'
  ➜ Skipping stray line: 'key concepts relevant to the administration, scoring, and interpretation of classroom assessments. Topics include ethical assessment practices,'
  ➜ Skipping stray line: 'designing assessments, aligning assessments, and utilizing technology for assessment.'
  ➜ Skipping stray line: 'DWP2 - Application of Elementary Social Studies Methods - Application of Elementary Social Studies Methods helps students learn how to'
  ➜ Skipping stray line: 'implement effective social studies instruction in the elementary classroom. Topics include social studies themes, promoting cultural diversity,'
  ➜ Skipping stray line: 'integrated social studies across the curriculum, social studies learning environments, assessing social studies understanding, differentiated instruction'
  ➜ Skipping stray line: 'for social studies, technology for social studies instruction, and standards-based social studies instruction. This course helps students to apply,'
  ➜ Skipping stray line: 'analyze, and reflect on effective elementary social studies instruction.'
  ➜ Skipping stray line: 'DZP2 - Application of Elementary Visual and Performing Arts Methods - Application of Elementary Visual and Performing Arts Methods helps'
  ➜ Skipping stray line: 'students learn how to implement effective visual and performing arts instruction in the elementary classroom. Topics include integrating arts across the'
  ➜ Skipping stray line: 'curriculum, music education, visual arts, dance and movement, dramatic arts, differentiated instruction for visual and performing arts, and promoting'
  ➜ Skipping stray line: 'cultural diversity through visual and performing arts instruction. This course helps students to apply, analyze, and reflect on effective elementary visual'
  ➜ Skipping stray line: 'and performing arts instruction.'
  ➜ Skipping stray line: 'EBP2 - Application of Elementary Physical Education and Health Methods - Applications of Elementary Physical Education and Health Methods'
  ➜ Skipping stray line: 'helps students learn how to implement effective physical and health education instruction in the elementary classroom. Topics include healthy'
  ➜ Skipping stray line: 'lifestyles, student safety, student nutrition, physical education, differentiated instruction for physical and health education, physical education across'
  ➜ Skipping stray line: 'the curriculum, and public policy in health and physical education. This course helps students to apply, analyze, and reflect on effective elementary'
  ➜ Skipping stray line: 'visual and performing arts instruction.'
  ➜ Skipping stray line: 'EFP1 - Cultural Studies and Diversity - Cultural Studies and Diversity focuses on the development of cultural awareness. Students will analyze the'
  ➜ Skipping stray line: 'role of culture in today’s world, develop culturally-responsive practices, and understand the barriers to and the benefits of diversity.'
  ➜ Skipping stray line: 'EFV1 - Behavioral Management and Intervention - Behavioral Management and Intervention explores the challenges of working with students with'
  ➜ Skipping stray line: 'emotional and behavioral disabilities and helps students learn about theories, interventions, practices, and assessments that can influence these'
  ➜ Skipping stray line: 'children's opportunities for success. It further helps students better be able to make decisions about how to strategize behavior'
  ➜ Skipping stray line: 'adjustments for individual students.'
  ➜ Skipping stray line: 'EFV2 - Behavioral Management and Intervention - Behavioral Management and Intervention explores the challenges of working with students with'
  ➜ Skipping stray line: 'emotional and behavioral disabilities and helps students learn about theories, interventions, practices, and assessments that can influence these'
  ➜ Skipping stray line: 'children's opportunities for success. It further helps students better be able to make decisions about how to strategize behavior adjustments for'
  ➜ Skipping stray line: 'individual students.'
  ➜ Skipping stray line: 'ELO1 - Subject Specific Pedagogy: ELL - Subject Specific Pedagogy: ELL integrates aspects of pedagogy, assessment, and professionalism in'
  ➜ Skipping stray line: 'English Language Learning (ELL). A student develops and assesses aspects of language curriculum development including second language'
  ➜ Skipping stray line: 'instruction, methods of second language assessment, and legal policy issues.'
  ➜ Skipping stray line: 'EST1 - Ethical Situations in Business - Ethical Situations in Business explores various scenarios in business and helps students learn to develop'
  ➜ Skipping stray line: 'ethical and socially responsible courses of action. Students will also learn to develop an appropriate and comprehensive ethics program for a business'
  ➜ Skipping stray line: 'venture.'
  ➜ Skipping stray line: 'EXP2 - College Geometry - College Geometry covers the knowledge and skills necessary to apply geometry to model and solve real-life problems, to'
  ➜ Skipping stray line: 'do formal axiomatic proofs in geometry, and to use dynamic technology to explore geometry. Topics include axiomatic systems and analytic proof;'
  ➜ Skipping stray line: 'non-Euclidean geometries; construction, analytic, and synthetic methods for investigating and proving properties and relationships of two- and three-'
  ➜ Skipping stray line: 'dimensional objects; geometric transformations, tessellations, and using inductive reasoning; concrete models; and dynamic technology to conduct'
  ➜ Skipping stray line: 'geometric investigations. College Algebra and Pre-Calculus are prerequisites for this course.'
  ➜ Skipping stray line: 'FCC1 - Introduction to Special Education, Law and Legal Issues - Introduction to Special Education, Law and Legal Issues introduces the history'
  ➜ Skipping stray line: 'and nature of special education and how it relates to general education, as well as specific legal acts and concepts governing it. Topics include history'
  ➜ Skipping stray line: 'of special education, the Individuals with Disabilities Education Act, the No Child Left Behind Act, FAPE (free, appropriate public education), and least'
  ➜ Skipping stray line: 'restrictive environments.'
  ➜ Skipping stray line: 'FCC2 - Introduction to Special Education, Law and Legal Issues, Policies and Procedures - Introduction to Special Education, Law and Legal'
  ➜ Skipping stray line: 'Issues, Policies and Procedures introduces the history and nature of special education and how it relates to general education, as well as specific'
  ➜ Skipping stray line: 'legal acts and concepts governing it. Topics include history of special education, the Individuals with Disabilities Education Act, the No Child Left'
  ➜ Skipping stray line: 'Behind Act, FAPE (free, appropriate public education), and least restrictive environments.'
  ➜ Skipping stray line: 'FEA1 - Field Experience for ELL - Field Experience for ELL is the field experience component of the English Language Learning program. In this'
  ➜ Skipping stray line: 'experience, students are required to complete a minimum of 15 hours of observations at both elementary and secondary levels. Additionally, a'
  ➜ Skipping stray line: 'supervised teaching experience that is face-to-face with English language learners according to the minimum time requirements of your state is'
  ➜ Skipping stray line: 'required. The purpose of this course is to assess the ability of the student including their engagement in field experience activities, ability to reflect on'
  ➜ Skipping stray line: 'and then plan standards-based instruction in ELL, and their ability to locate and effectively use resources for teaching ELL to meet the needs of their'
  ➜ Skipping stray line: 'individual students.'
  ➜ Skipping stray line: 'FJC1 - Psychoeducational Assessment Practices and IEP Development/Implementation - Psychoeducational Assessment Practices and IEP'
  ➜ Skipping stray line: 'Development/Implementation prepares students to apply knowledge the IEP as they work with students who have mild to moderate disabilities in a'
  ➜ Skipping stray line: 'wide variety of possible situations, all with an emphasis on cross-categorical inclusion. It helps students gain fluency in their understanding of the 13'
  ➜ Skipping stray line: 'disability categories, assessment, curriculum, and instruction.'
  ➜ Skipping stray line: 'FJC2 - Psychoeducational Assessment Practices and IEP Development/Implementation - Psychoeducational Assessment Practices and IEP'
  ➜ Skipping stray line: 'Development/Implementation prepares students to apply knowledge the IEP as they work with students who have mild to moderate disabilities in a'
  ➜ Skipping stray line: 'wide variety of possible situations, all with an emphasis on cross-categorical inclusion. It helps students gain fluency in their understanding of the 13'
  ➜ Skipping stray line: 'disability categories, assessment, curriculum, and instruction.'
  ➜ Skipping stray line: 'FLC1 - Instructional Models and Design, Supervision and Culturally Response Teaching - Instructional Models and Design, Supervision and'
  ➜ Skipping stray line: 'Culturally Response Teaching helps students understand the role of special education in the development of instruction, why this field exists separate'
  ➜ Skipping stray line: 'from and in conjunction with general education, where it is going, and how they can help coordinate inclusion for students. Students will gain expertise'
  ➜ Skipping stray line: 'in developing instructional, curricular, and environmental interventions based on assessment data and student need.'
  ➜ Skipping stray line: 'FLC2 - Instructional Models and Design, Supervision and Culturally Responsive Teaching - Instructional Models and Design, Supervision and'
  ➜ Skipping stray line: 'Culturally Responsive Teaching helps students understand the role of special education in the development of instruction, why this field exists'
  ➜ Skipping stray line: 'separate from and in conjunction with general education, where it is going, and how they can help coordinate inclusion for students. Students will gain'
  ➜ Skipping stray line: 'expertise in developing instructional, curricular, and environmental interventions based on assessment data and student need.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 172'
  ➜ Skipping stray line: 'FVC1 - Global Business - This course provides an introduction to global business. The advantages of global production and the benefits of trade are'
  ➜ Skipping stray line: 'critical aspects of global business. Many factors influence global business, such as transparency, geography, corruption, intellectual property'
  ➜ Skipping stray line: 'protections, outsourcing and off-shoring, operation management, and generally accepted accounting principles.'
  ➜ Skipping stray line: 'FXT2 - Disaster Recovery Planning, Prevention and Response - This course prepares students to plan and execute industry best practices related'
  ➜ Skipping stray line: 'to conducting organization-wide information assurance initiatives and to preparing an organization for implementing a comprehensive Information'
  ➜ Skipping stray line: 'Assurance Management program.'
  ➜ Skipping stray line: 'HMP1 - Cases in Advanced Human Resource Management - During Cases in Advanced Human Resource Management students apply their'
  ➜ Skipping stray line: 'knowledge of human resource management by completing a case study. Students will apply critical human resource strategies in the areas of'
  ➜ Skipping stray line: 'legal/regulatory compliance, recruitment and selection of personnel, performance and feedback mechanisms, and financial and benefits'
  ➜ Skipping stray line: 'compensation.'
  ➜ Skipping stray line: 'IDC1 - Foundations of Instructional Design - Foundations of Instructional Design provides an overview of how to select the most appropriate'
  ➜ Skipping stray line: 'learning theories, design processes, and instructional strategies based on learner audience, instructional setting, and current and desired state of'
  ➜ Skipping stray line: 'learning.'
  ➜ Skipping stray line: 'IYT2 - Introduction to Curriculum Theory - For over 200 years, educators in the United States have debated the purpose of education. Should'
  ➜ Skipping stray line: 'education be for enlightenment or to prepare students for the life of work? Should education be for many or for a select few? These questions continue'
  ➜ Skipping stray line: 'to be debated today. Through curriculum theory and reflection, educators have an educational framework by which to understand how theory and'
  ➜ Skipping stray line: 'one's philosophical views can impact the design, development, and implementation of curriculum and instruction. With this in mind, Introduction to'
  ➜ Skipping stray line: 'Curriculum Theory focuses on exploring and applying an understanding of Scholar Academic, Social Efficiency, Learner Centered, and Social'
  ➜ Skipping stray line: 'Reconstruction ideologies in various instructional settings and on the development on one’s own curriculum philosophy.'
  ➜ Skipping stray line: 'IZT2 - Learning Theories - Learning Theories focuses on the complexity of the current learning environment and how behaviorism, cognitivism,'
  ➜ Skipping stray line: 'constructivism, and personal learning philosophy can assist in the development of appropriate curriculum and instruction.'
  ➜ Skipping stray line: 'JIT2 - Risk Management - Content focuses on categorizing levels of risk and understanding how risk can impact the operations of the business'
  ➜ Skipping stray line: 'through a scenario involving the creation of a risk management program and business continuity program for a company and a business situation'
  ➜ Skipping stray line: 'reacting to a crisis/disaster situation affecting the company.'
  ➜ Skipping stray line: 'JNT2 - Instructional Design Analysis - Instructional Design Analysis focuses on using analysis of needs to determine the needs and interests of'
  ➜ Skipping stray line: 'learners, and scope and sequence for developing a logical approach for an education program to formulate appropriate and measurable program'
  ➜ Skipping stray line: 'objectives.'
  ➜ Skipping stray line: 'JOT2 - Issues in Instructional Design - Issues in Instructional Design focuses on learning theories, learner analysis, scope and sequence,'
  ➜ Skipping stray line: 'instructional strategies, task analysis and design theories, media and technology foundations, and adaptive technologies for special populations for'
  ➜ Skipping stray line: 'creating effective, well-articulated, and efficient instruction.'
  ➜ Skipping stray line: 'JPT2 - Instructional Design Production - Instructional Design Production focuses on the application of a systematic process of instructional design,'
  ➜ Skipping stray line: 'namely the concepts and procedure for analyzing and designing successful instruction. This course will prepare students to conduct a goal analysis, a'
  ➜ Skipping stray line: 'process used to identify instructional goals, as well as a task analysis, which is used to determine the skills and knowledge required to accomplish'
  ➜ Skipping stray line: 'those goals. This course also focuses on writing performance objectives, designing assessments, and developing instruction that incorporates relevant'
  ➜ Skipping stray line: 'learning theories. Methods for formatively evaluating a unit of instruction are also introduced. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'JQT2 - Issues in Measurement and Evaluation - Issues in Measurement and Evaluation focuses on the understanding of formative and summative'
  ➜ Skipping stray line: 'evaluation, quantitative and qualitative data collection tools, including rubrics and the processes of evaluation.'
  ➜ Skipping stray line: 'JRT2 - Evaluation Methodology and Instrumentation - Evaluation Methodology and Instrumentation focuses on using qualitative and quantitative'
  ➜ Skipping stray line: 'data collection tools and techniques to construct and evaluate valid and reliable measuring instruments.'
  ➜ Skipping stray line: 'JST2 - Evaluation Process and Recommendation - Evaluation Process and Recommendation focuses on implementing and interpreting an'
  ➜ Skipping stray line: 'evaluation and the reporting of the results and recommendations to stakeholders.'
  ➜ Skipping stray line: 'JWT2 - Instructional Theory - Instructional Theory focuses on exploring instructional design theory and related models and processes. Students will'
  ➜ Skipping stray line: 'apply instructional design principles to the design and delivery of plans to meet the learning needs found in the instructional setting.'
  ➜ Skipping stray line: 'JXT2 - Educational Psychology - Educational Psychology examines the latest findings in child and adolescent development and provides educators'
  ➜ Skipping stray line: 'the opportunity to apply educational psychology to various instructional settings. Students will explore the areas of applied educational psychology to'
  ➜ Skipping stray line: 'teaching, cognitive development, social development, and cultural development. They will design, develop, modify, and evaluate curriculum and'
  ➜ Skipping stray line: 'instruction in various educational settings according to child/adolescent development.'
  ➜ Skipping stray line: 'JYT2 - Curriculum Design - Curriculum Design focuses on exploring curriculum design theory, educational standards, and design frameworks for'
  ➜ Skipping stray line: 'what to teach. Together these topics will provide educators with the ability to take principles of curriculum design theory and related models and apply'
  ➜ Skipping stray line: 'them when developing, designing, and modifying curriculum to meet learning needs in their instructional setting.'
  ➜ Skipping stray line: 'JZT2 - Curriculum Evaluation - Curriculum Evaluation focuses on exploring evaluation systems and student data to determine the effectiveness of'
  ➜ Skipping stray line: 'curriculum. It also focuses on differentiating curriculum based on student data.'
  ➜ Skipping stray line: 'KAT2 - Assessment for Student Learning - Assessment for Student Learning focuses on developing the knowledge and skills to identify, develop,'
  ➜ Skipping stray line: 'and design instrument tools for evaluating student learning. It also explores the use of objective and performance-based, formative, and summative'
  ➜ Skipping stray line: 'assessments and their results in the evaluation of curriculum and instruction for student learning.'
  ➜ Skipping stray line: 'KBT2 - Differentiated Instruction - Differentiated Instruction focuses on developing and implementing curriculum and instruction that that best meets'
  ➜ Skipping stray line: 'the needs of all learners within a given instructional setting.'
  ➜ Skipping stray line: 'LEC1 - Comprehensive Educational Leadership Integration - You will complete a comprehensive objective proctored assessment in Educational'
  ➜ Skipping stray line: 'Leadership theory and practices, including administrative theory, school law, school finance, curriculum development and implementation, personnel'
  ➜ Skipping stray line: 'management, public relations, and technology. You will be required to pass the Comprehensive Educational Leadership Integration objective'
  ➜ Skipping stray line: 'assessment.'
  ➜ Skipping stray line: 'LFT1 - Student, Stakeholder, and Market Focus for Educational Leaders - This subdomain reviews principles and practices of meeting'
  ➜ Skipping stray line: 'stakeholder needs and reviews your case study site’s effectiveness in managing stakeholder relationships.'
  ➜ Skipping stray line: 'LMT1 - Measurement, Analysis, and Knowledge Management for Educational Leaders - This subdomain reviews principles and practices of'
  ➜ Skipping stray line: 'program and curriculum effectiveness evaluation as well as best practices in technology for educational leaders. You also complete a program,'
  ➜ Skipping stray line: 'practice, or curriculum effectiveness evaluation in your case study site as well as an evaluation of technology implementation.'
  ➜ Skipping stray line: 'LNT1 - Process Management for Educational Leaders - This subdomain reviews best practices in process management for educational leaders, as'
  ➜ Skipping stray line: 'well as an evaluation of your case study site’s process management policies and practices.'
  ➜ Skipping stray line: 'LPA1 - Language Production, Theory and Acquisition - Language Production, Theory and Acquisition focuses on describing and understanding'
  ➜ Skipping stray line: 'language and the development of language. It includes the study of acquisition theory, grammar, and applied phonetics.'
  ➜ Skipping stray line: 'LPT1 - Performance Excellence Criteria for Educational Leaders - This subdomain reviews the case study model and prepares you to complete a'
  ➜ Skipping stray line: 'thorough review of the effectiveness of their case study site’s operations, outcomes, and leadership.'
  ➜ Skipping stray line: 'LQT2 - Information Security and Assurance Capstone Project - Students will be able to choose from three areas of emphasis, depending on'
  ➜ Skipping stray line: 'personal and professional interests. Students will complete a capstone project that deals with a significant real-world business problem that further'
  ➜ Skipping stray line: 'integrates the components of the degree. Capstone projects will require an oral defense before a committee of WGU faculty.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 173'
  ➜ Skipping stray line: 'LRT1 - Practicum in Educational Leadership - Foundational Perspectives of Education includes a series of performance tasks to take place under'
  ➜ Skipping stray line: 'the leadership of a practicing state licensed school principal or assistant principal in a practicum school site (K–12). This assessment also includes'
  ➜ Skipping stray line: 'completion of assigned administrative duties to take place in both elementary (K–6) and secondary (7–12) settings under the leadership and'
  ➜ Skipping stray line: 'supervision of the cooperating administrator in your case study school site. Practicum requirements vary by state of intended licensure and WGU'
  ➜ Skipping stray line: 'program requirements, and the standard has been set between 275 and 540 of logged practicum activities that span a minimum of six consecutive'
  ➜ Skipping stray line: 'months. Please refer back to the WGU Student Handbook for reference of your program requirements. You are required to pass the Practicum in'
  ➜ Skipping stray line: 'Educational Leadership performance assessments and successfully submit other documentation, including evaluations of your performance'
  ➜ Skipping stray line: 'completed by the cooperating administrator and documentation of completion of state-required hours of assigned administrative duties. The'
  ➜ Skipping stray line: 'Educational Leadership Practicum requires a practicum fee. During the Educational Leadership Practicum, you are also expected to take and pass'
  ➜ Skipping stray line: 'your state's licensure examination(s) required for certification as a school principal and the PRAXIS 5411 Educational Leadership: Administration and'
  ➜ Skipping stray line: 'Supervision exam.'
  ➜ Skipping stray line: 'LST1 - Strategic Planning for Educational Leaders - This subdomain reviews principles and practices of the strategic planning process as well as a'
  ➜ Skipping stray line: 'case study review of the strategic planning processes in your case study site.'
  ➜ Skipping stray line: 'LWT1 - Workforce Focus for Educational Leaders - This subdomain reviews best practices in human resource administration for educational'
  ➜ Skipping stray line: 'leaders, as well as an evaluation of your case study site’s workforce management practices.'
  ➜ Skipping stray line: 'LZT2 - Power, Influence and Leadership - This course focuses on the development of the critical leadership and soft skills necessary for success in'
  ➜ Skipping stray line: 'information technology leadership and management. The course focuses specifically on skills such as cultivating effective leadership communication,'
  ➜ Skipping stray line: 'building personal influence, enhancing emotional intelligence (soft skills), generating ideas and encouraging idea generation in others, conflict'
  ➜ Skipping stray line: 'resolution, and positioning oneself as an influential change agent within different organizational cultures.'
  ➜ Skipping stray line: 'MAT2 - Information Technology Management - This course will prepare students to cope with information technology resources in a manner'
  ➜ Skipping stray line: 'beneficial to their company. Such skill includes estimating both the cost and value of IT to the company, setting priorities for project selection,'
  ➜ Skipping stray line: 'management of IT projects, and handling risk. These responsibilities imply an ability to align technology with an organization’s strategic goals. In total,'
  ➜ Skipping stray line: 'students will develop the ability to effectively administer and manage current and emerging technologies within an organization.'
  ➜ Skipping stray line: 'MBT2 - Technological Globalization - This course is designed to equip students to better understand the fundamental, galvanizing and'
  ➜ Skipping stray line: 'transformational role of advanced IT communications, networks and services in all major industries; advanced IT is an unparalleled force multiplier in'
  ➜ Skipping stray line: 'scientific research, energy production and use, health and medicine. IT is a critical resource in the global community, economically, socially, politically'
  ➜ Skipping stray line: 'and culturally.'
  ➜ Skipping stray line: 'MCT2 - Technical Writing - As IT professionals are frequently required to interface with customers, clients, other departments, organizational leaders,'
  ➜ Skipping stray line: 'and even other institutions, strong communication skills are vital. In this course, students learn to communicate accurately, effectively, and ethically to'
  ➜ Skipping stray line: 'a variety of audiences. Students design communication to fit oral, print, and multi-media contexts. They develop rhetorical sensitivity in both their'
  ➜ Skipping stray line: 'writing and their design decisions.'
  ➜ Skipping stray line: 'MEC1 - Foundations of Measurement and Evaluation - Foundations of Measurement and Evaluation focuses on assessment validity, constructing'
  ➜ Skipping stray line: 'reliable test instruments, identifying appropriate item and instrument types, qualitative data collection tools and techniques, and conducting a formative'
  ➜ Skipping stray line: 'and summative evaluation for an instruction product or program.'
  ➜ Skipping stray line: 'MFT2 - Mathematics (K-6) Portfolio Oral Defense - Mathematics (K-6) Portfolio Oral Defense: Mathematics (K-6) Portfolio Defense focuses on a'
  ➜ Skipping stray line: 'formal presentation. The student will present an overview of their teacher work sample (TWS) portfolio discussing the challenges they faced and how'
  ➜ Skipping stray line: 'they determined whether their goals were accomplished. They will explain the process they went through to develop the TWS portfolio and reflect on'
  ➜ Skipping stray line: 'the methodologies and outcomes of the strategies discussed in the TWS portfolio. Additionally, they will discuss the strengths and weaknesses of'
  ➜ Skipping stray line: 'those strategies and how they can apply what they learned from the TWS portfolio in their professional work environment.'
  ➜ Skipping stray line: 'MGT2 - IT Project Management - IT Project Management provides an overview of the Project Management Institute’s project management'
  ➜ Skipping stray line: 'methodology. Topics cover various process groups and knowledge areas and application of knowledge in case studies for planning a project that has'
  ➜ Skipping stray line: 'not started yet and monitoring/controlling a project that is already underway.'
  ➜ Skipping stray line: 'MMT2 - IT Strategic Solutions - In IT Strategic Solutions the learner will have the opportunity to identify strategic opportunities and emerging'
  ➜ Skipping stray line: 'technologies as they research and decide on a system to support a growing company. Topics will include technology strategy; gap analysis;'
  ➜ Skipping stray line: 'researching new technology; strengths, opportunities, weaknesses, and threats; ethics; risk mitigation; data security, communication plans; and'
  ➜ Skipping stray line: 'globalization.'
  ➜ Skipping stray line: 'NHC1 - Introduction to Instructional Planning and Presentation - Students will develop a basic understanding of effective instructional principles'
  ➜ Skipping stray line: 'and how to differentiate instruction in order to elicit powerful teaching in the classroom.'
  ➜ Skipping stray line: 'NMA1 - Professional Role of the ELL Teacher - The Professional Role of the ELL Teacher focuses on issues of professionalism for the English'
  ➜ Skipping stray line: 'Language Learning teacher and leader. This includes program development, ethics, engagement in professional organizations, serving as a resource,'
  ➜ Skipping stray line: 'and ELL advocacy.'
  ➜ Skipping stray line: 'NNA1 - Planning, Implementing, Managing Instruction - Planning, Implementing, Managing Instruction focuses on a variety of philosophies and'
  ➜ Skipping stray line: 'grade levels of English Language Learner (ELL) instruction. It includes the study of ELL listening and speaking, ELL reading and writing, specially'
  ➜ Skipping stray line: 'designed academic instruction in English (SDAIE), and specific issues for various grade level instruction.'
  ➜ Skipping stray line: 'OOT2 - Mathematics History and Technology - Mathematics History and Technology introduces a variety of technological tools for doing'
  ➜ Skipping stray line: 'mathematics, and you will develop a broad understanding of the historical development of mathematics. You will come to understand that'
  ➜ Skipping stray line: 'mathematics is a very human subject that comes from the macro-level sweep of cultural and societal change, as well as the micro-level actions of'
  ➜ Skipping stray line: 'individuals with personal, professional, and philosophical motivations. Most importantly, you will learn to evaluate and apply technological tools and'
  ➜ Skipping stray line: 'historical information to create an enriching student-centered mathematical learning environment. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'OPT2 - Mathematics Learning and Teaching - Mathematics Learning and Teaching will help you develop the knowledge and skills necessary to'
  ➜ Skipping stray line: 'become a prospective and practicing educator. You will be able to use a variety of instructional strategies to effectively facilitate the learning of'
  ➜ Skipping stray line: 'mathematics. This course focuses on selecting appropriate resources, using multiple strategies, and instructional planning, with methods based on'
  ➜ Skipping stray line: 'research and problem solving. A deep understanding of the knowledge, skills, and disposition of mathematics pedagogy is necessary to become an'
  ➜ Skipping stray line: 'effective secondary mathematics educator. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'PFHM - Business - HR Management Portfolio Requirement - Students prepare a culminating professional portfolio to demonstrate the'
  ➜ Skipping stray line: 'competencies they have learned throughout their program. The portfolio includes a strengths essay, a career report, a reflection essay, a résumé, and'
  ➜ Skipping stray line: 'exhibits demonstrating personal strengths in the work place.'
  ➜ Skipping stray line: 'PFIT - Business - IT Management Portfolio Requirement - Business - IT Management Portfolio Requirement is designed to help the learner'
  ➜ Skipping stray line: 'complete the culminating Undergraduate Business Portfolio assessment; it focuses on developing a business portfolio containing a strengths essay, a'
  ➜ Skipping stray line: 'career report, a reflection essay, a resume, and exhibits that support one’s strengths in the work place.'
  ➜ Skipping stray line: 'QDT1 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'
  ➜ Skipping stray line: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'
  ➜ Skipping stray line: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'
  ➜ Skipping stray line: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'
  ➜ Skipping stray line: 'Algebra is a prerequisite for this course.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 174'
  ➜ Skipping stray line: 'QDT2 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'
  ➜ Skipping stray line: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'
  ➜ Skipping stray line: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'
  ➜ Skipping stray line: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'
  ➜ Skipping stray line: 'Algebra is a prerequisite for this course.'
  ➜ Skipping stray line: 'QET1 - Business - HR Management Capstone Project - For the Business - HR Management Capstone Project students will integrate and'
  ➜ Skipping stray line: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ➜ Skipping stray line: 'professional field. A comprehensive business plan is developed for a company that offers HR products or services. The business plan includes a'
  ➜ Skipping stray line: 'market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ➜ Skipping stray line: 'QFT1 - Business - IT Management Capstone Project - The capstone requires students to demonstrate the integration and synthesis of'
  ➜ Skipping stray line: 'competencies in all domains required for the degree in Information Technology Management. The student produces a business plan for a start-up'
  ➜ Skipping stray line: 'company that is selected and approved by the student and mentor.'
  ➜ Skipping stray line: 'QGT1 - Business Management Capstone Written Project - For the Business Management Capstone Written Project students will integrate and'
  ➜ Skipping stray line: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ➜ Skipping stray line: 'professional field. A comprehensive business plan is developed for a company that plans to sell a product or service in a local market, national'
  ➜ Skipping stray line: 'market, or on the Internet. The business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to'
  ➜ Skipping stray line: 'the chosen company.'
  ➜ Skipping stray line: 'QHT1 - Business Management Tasks - Business Management Tasks addresses important concepts needed to effectively manage a'
  ➜ Skipping stray line: 'business. Topics include the cost-quality relationship, the use of various types of graphical charts in operations management, managing innovation,'
  ➜ Skipping stray line: 'and developing strategies for working with individuals and groups.'
  ➜ Skipping stray line: 'QIT1 - Business Marketing Management Capstone Written Project - For the Business Marketing Management Capstone Project students will'
  ➜ Skipping stray line: 'integrate and synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their'
  ➜ Skipping stray line: 'chosen professional field. A comprehensive business plan is developed for a company that provides some type of marketing product or service. The'
  ➜ Skipping stray line: 'business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ➜ Skipping stray line: 'QJT2 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to use'
  ➜ Skipping stray line: 'differential calculus of one variable and appropriate technology to solve basic problems. Topics include graphing functions and finding their domains'
  ➜ Skipping stray line: 'and ranges; limits, continuity, differentiability, visual, analytical, and conceptual approaches to the definition of the derivative; the power, chain, and'
  ➜ Skipping stray line: 'sum rules applied to polynomial and exponential functions, position and velocity; and L'Hopital's Rule. Candidates should have completed a course in'
  ➜ Skipping stray line: 'Pre-Calculus before engaging in this course.'
  ➜ Skipping stray line: 'QTT2 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ➜ Skipping stray line: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ➜ Skipping stray line: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ➜ Skipping stray line: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'RKT1 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ➜ Skipping stray line: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ➜ Skipping stray line: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ➜ Skipping stray line: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ➜ Skipping stray line: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ➜ Skipping stray line: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'RKT2 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ➜ Skipping stray line: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ➜ Skipping stray line: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ➜ Skipping stray line: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ➜ Skipping stray line: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ➜ Skipping stray line: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'RNT1 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ➜ Skipping stray line: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ➜ Skipping stray line: 'RNT2 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ➜ Skipping stray line: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ➜ Skipping stray line: 'RXT2 - Precalculus and Calculus - Precalculus and Calculus provides instruction in precalculus and calculus and applies them to examples found in'
  ➜ Skipping stray line: 'both mathematics and science. Topics in precalculus include principles of trigonometry, mathematical modeling, and logarithmic, exponential,'
  ➜ Skipping stray line: 'polynomial, and rational functions. Topics in calculus include conceptual knowledge of limit, continuity, differentiability, and integration.'
  ➜ Skipping stray line: 'SJT2 - Advanced Networking Technology - This course prepares students to support the ever growing interconnectivity needs of organizations.'
  ➜ Skipping stray line: 'Students will learn about advanced networking concepts, devices and strategies to provide superior network connectivity to organizations. A review of'
  ➜ Skipping stray line: 'common yet critical network devices and technologies will be provided such as switches, routers, hubs, firewalls, T-1s, ATM, fiber and others.'
  ➜ Skipping stray line: 'Students will also be prepared to review existing network environments and provide specifications to upgrade and enhance such networks.'
  ➜ Skipping stray line: 'SLO1 - Theories of Second Language Acquisition and Grammar - Theories of Second Language Learning Acquisition and Grammar covers'
  ➜ Skipping stray line: 'content material in applied linguistics, including morphology, syntax, semantics, and grammar. Students will explore the role of dialect in the'
  ➜ Skipping stray line: 'classroom, the connections between language and culture, and the theories of first and second language acquisition.'
  ➜ Skipping stray line: 'TAT2 - Technology Production - Technology Production focuses on the foundations of media and technology, integrated technology development,'
  ➜ Skipping stray line: 'and the integration of technology into appropriate instructional uses of productivity, and applying different research applications in the learning'
  ➜ Skipping stray line: 'environment.'
  ➜ Skipping stray line: 'TDT1 - Technology Design Portfolio - Technology Design Portfolio focuses on gaining a broad overview of the field of technology integration with a'
  ➜ Skipping stray line: 'fundamental understanding of some key concepts and principles, and enhancing technology skills to enable the producing of exportable instructional'
  ➜ Skipping stray line: 'and professional products using various integrated application programs.'
  ➜ Skipping stray line: 'TET1 - Issues in Technology Integration - Issues in Technology Integration focuses on the legal and ethical practice of technology, some personal'
  ➜ Skipping stray line: 'uses of electronic resources, the need for protection of information, the foundations of media and technology, what electronic learning communities'
  ➜ Skipping stray line: 'are, and the adaptive technologies for special populations.'
  ➜ Skipping stray line: 'TFT2 - Cyberlaw, Regulations, and Compliance - Cyberlaw, Regulations and Compliance prepares students to participate in legal analysis of'
  ➜ Skipping stray line: 'relevant cyberlaws and address governance, standards, policies, and legislation. Students will conduct a security risk analysis for an enterprise'
  ➜ Skipping stray line: 'system. In addition, students will determine cyber requirements for third‐party vendor agreements. Students will also evaluate provisions of both the'
  ➜ Skipping stray line: '2001 and 2006 USA PATRIOT Acts.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 175'
  ➜ Skipping stray line: 'TOC2 - Probability and Statistics I - Probability and Statistics I covers the knowledge and skills necessary to apply basic probability, descriptive'
  ➜ Skipping stray line: 'statistics, and statistical reasoning, and to use appropriate technology to model and solve real-life problems. It provides an introduction to the science'
  ➜ Skipping stray line: 'of collecting, processing, analyzing, and interpreting data. Topics include creating and interpreting numerical summaries and visual displays of data;'
  ➜ Skipping stray line: 'regression lines and correlation; evaluating sampling methods and their effect on possible conclusions; designing observational studies, controlled'
  ➜ Skipping stray line: 'experiments, and surveys; and determining probabilities using simulations, diagrams, and probability rules. College Algebra is a prerequisite for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'TQC1 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Skipping stray line: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Skipping stray line: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Skipping stray line: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Skipping stray line: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Skipping stray line: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Skipping stray line: 'TQC2 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Skipping stray line: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Skipping stray line: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Skipping stray line: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Skipping stray line: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Skipping stray line: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Skipping stray line: 'TSC2 - General Chemistry I - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Skipping stray line: 'solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic table and chemical'
  ➜ Skipping stray line: 'nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work focuses on using'
  ➜ Skipping stray line: 'effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TSP1 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Skipping stray line: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Skipping stray line: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TSP2 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Skipping stray line: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Skipping stray line: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TUC2 - General Chemistry II - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Skipping stray line: 'solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models, oxidation-reduction'
  ➜ Skipping stray line: 'reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on using effective'
  ➜ Skipping stray line: 'laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TUP1 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Skipping stray line: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Skipping stray line: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TUP2 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Skipping stray line: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Skipping stray line: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TVT2 - Governance, Finance, Law, and Leadership for Principals - This subdomain contains content in educational law, finance, and'
  ➜ Skipping stray line: 'administration as well as a case study review of your site’s leadership practices.'
  ➜ Skipping stray line: 'UFC1 - Managerial Accounting - This course focuses on identifying, gathering, and interpreting information that will be used for evaluating and'
  ➜ Skipping stray line: 'managing the performance of a business. Students will also study cost measurement for producing goods and services and how to analyze and'
  ➜ Skipping stray line: 'control these costs.'
  ➜ Skipping stray line: 'UQT1 - Organic Chemistry - This course focuses on the study of compounds that contain carbon, much of which is learning how to organize and'
  ➜ Skipping stray line: 'group these compounds based on common bonds found within them in order to predict their structure, behavior, and reactivity.'
  ➜ Skipping stray line: 'VLT2 - Security Policies and Standards - Best Practices - This course focuses on the practices of planning and implementing organization-wide'
  ➜ Skipping stray line: 'security and assurance initiatives as well as auditing assurance processes.'
  ➜ Skipping stray line: 'VYC1 - Principles of Accounting - Principles of Accounting focuses on ways in which accounting principles are used in business operations.'
  ➜ Skipping stray line: 'Students will learn about the basics of accounting, including how to use Generally Accepted Accounting Principles (GAAP), ledgers, and journals.'
  ➜ Skipping stray line: 'Students will also be introduced to the steps of the accounting cycle, concepts of assets and liabilities, and general information about accounting'
  ➜ Skipping stray line: 'information systems. This course also presents bank reconciliation methods, balance sheets, and business ethics.'
  ➜ Skipping stray line: 'VZT1 - Marketing Applications - Marketing Applications allows students to apply their knowledge of core marketing principles by creating a'
  ➜ Skipping stray line: 'comprehensive marketing plan. Their plan will apply their knowledge of the marketing planning process, market analysis, and the marketing mix'
  ➜ Skipping stray line: '(product, place, promotion, and price).'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 176'
  ➜ Skipping stray line: 'Course Mentor Directory'
  ➜ Skipping stray line: 'General Education'
  ➜ Skipping stray line: 'Adams, William; M.A., Savanah College of Art and Design'
  ➜ Skipping stray line: 'Aguirre, Jennifer; M.S., Walden University'
  ➜ Skipping stray line: 'Akens, Jonne; Ph. D., Texas A&M University'
  ➜ Skipping stray line: 'Alexander, Ledora; Ed.S., Walden University'
  ➜ Skipping stray line: 'Ashe, James; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Barnes, Lauri; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Baty, Amanda; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Benson, Bryan; Ph.D., Boston College'
  ➜ Skipping stray line: 'Bilbrey, Joshua; Ph.D., Texas State University'
  ➜ Skipping stray line: 'Borden, Anne; Ph.D., Emory University'
  ➜ Skipping stray line: 'Brewer, Craig: Ph.D., University of Notre Dame'
  ➜ Skipping stray line: 'Brown, Bonnie; Ph.D., Stephen F. Austin State University'
  ➜ Skipping stray line: 'Browning, Ellen; Ph.D., University of Texas, Arlington'
  ➜ Skipping stray line: 'Buchanan, Tenielle; Ed.D., Lipscomb University'
  ➜ Skipping stray line: 'Byrnes, Sean; Ph.D., Emory University'
  ➜ Skipping stray line: 'Carmona, Karla; M.S., Western Governors University'
  ➜ Skipping stray line: 'Castaneda, Gilivaldo; M.Ed., University of Texas at San Antonio'
  ➜ Skipping stray line: 'Chaves Ulloa, Ramsa; Ph.D., Dartmouth College'
  ➜ Skipping stray line: 'Chittick, Sharla; Ph.D., University of Stirling'
  ➜ Skipping stray line: 'Condit, Lorna; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Cowan, Christy; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Crawford, Nathan; Ph.D., University of Tennessee-Knoxville'
  ➜ Skipping stray line: 'Crooks, Kathleen; Ph.D., University of Akron'
  ➜ Skipping stray line: 'Cross, Cameron; M.S., Kaplan University'
  ➜ Skipping stray line: 'Cureton, Sara; M.A., Gonzaga Univeristy'
  ➜ Skipping stray line: 'Cutler, Ned; Ph.D., Duke University'
  ➜ Skipping stray line: 'Dodge, Joshua; M.A., University of Central Florida'
  ➜ Skipping stray line: 'Dorre, Gina; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Douglas, Katherine; M.A., University of California, San Diego'
  ➜ Skipping stray line: 'Duff, Kandi; Ed.D., Idaho State University'
  ➜ Skipping stray line: 'Dungar, Michael; MA, Boston College'
  ➜ Skipping stray line: 'Edmunds, Jeffrey; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Evans, Robin; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Evenson Newhouse, Ranae; Ph.D., Vanderbilt University'
  ➜ Skipping stray line: 'Faucett, Jessica; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Fehnel, Bradley; M.S., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Fellow, Jill; M.S., Brigham Young University'
  ➜ Skipping stray line: 'Franco, Heidi; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Frusciante, Denise; Ph.D., University of Miami'
  ➜ Skipping stray line: 'Galindez, Dahlia; MA, Western Governors University'
  ➜ Skipping stray line: 'Gangaram, Jitendra; Ph.D., North Central University'
  ➜ Skipping stray line: 'Garrett, Janette; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Goodwin, Rachel; Ph.D., University of Texas'
  ➜ Skipping stray line: 'Gordon, Kelley; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Gravitte, Kristen; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Gradzielewski, Andrew; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Halula, Stephen; Ph.D., Marquette University'
  ➜ Skipping stray line: 'Harris, Steven; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Hartwick, Andromeda; Ph.D., University of Michigan'
  ➜ Skipping stray line: 'Hayne, Victoria; Ph.D., University of California - Los Angeles'
  ➜ Skipping stray line: 'Hernandez, Ali; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Hillyer, Aaron; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Horne, Lisa; M.A., Brigham Young University'
  ➜ Skipping stray line: 'Hurley, Norman; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Jensen, Taylor; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Johnson, Stephanie; MBA, Lindenwood University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 177'
  ➜ Skipping stray line: 'Jones, Lee; Ph.D., Clark Atlanta University'
  ➜ Skipping stray line: 'Kelley, Matthew; Ph.D., University of Nevada-Las Vegas'
  ➜ Skipping stray line: 'Kelly, Lynn; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Knieps, Linda; Ph.D., Vanderbilt University'
  ➜ Skipping stray line: 'Knous, Helen; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Landry, Stan; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Latham, Kary; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Lauren, Jennifer; Ph.D., Duquesne University'
  ➜ Skipping stray line: 'Leep, Matthew; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Lettau, Lisa; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Little, David; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Lukin, Kara; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Main, Daniel; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Mammen, John; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Mantooth, Stacy; Ph. D., University of Nevada – Las Vegas'
  ➜ Skipping stray line: 'Martin, Jonathan; M.A., West Virginia University'
  ➜ Skipping stray line: 'Mays, Ashley; Ph.D., University of North Carolina at Chapel Hill'
  ➜ Skipping stray line: 'McCune, Timothy; Ph.D., Youngstown State University'
  ➜ Skipping stray line: 'McWatters, Mason; Ph.D., University of Texas at Austin'
  ➜ Skipping stray line: 'Metoki, Kiyoko; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Meyer, Nicholas; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Miller, Don; Ph.D., Morehouse School of Medicine'
  ➜ Skipping stray line: 'Miller, Kathleen; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Moody, Vivian; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Mosgrove, Sharon; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Moss, Meg; Ph.D., University of Tennessee-Knoxville'
  ➜ Skipping stray line: 'Mzoughi, Taha; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Nelson, Angela; Ph.D., Cornell University'
  ➜ Skipping stray line: 'Nicley, Erinn; M.S., Florida State University'
  ➜ Skipping stray line: 'Norton, Cindy; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Olson, Nels; Ph.D., Michigan State University'
  ➜ Skipping stray line: 'Oulette, David; Ph.D., Virginia Commonwealth University'
  ➜ Skipping stray line: 'Palmer, Michael; M.F.A., University of Utah'
  ➜ Skipping stray line: 'Pankowski, Peg; Ed.D., Duquesne University'
  ➜ Skipping stray line: 'Parrish, Anca; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Parton, Sabrena; Ph.D., University of Southern Mississippi'
  ➜ Skipping stray line: 'Parvin, Kathleen; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Peppers, Shelitha; Ed.D., Maryville University'
  ➜ Skipping stray line: 'Perkins, Heidi; M.S., Excelsior College'
  ➜ Skipping stray line: 'Phillips, Dedra; M.A., Colorado Technical University'
  ➜ Skipping stray line: 'Potter, Christine; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Quintela, Melissa; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Radosavljevic, Alexander; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Redden, Cameron; MAT, Baldwin Wallace University'
  ➜ Skipping stray line: 'Redkey, Elizabeth; Ph.D., University at Albany, State University of New York'
  ➜ Skipping stray line: 'Remington, Theodore; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Rhodes, Kristofer; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Robinson, Ami; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Robinson, Jeffery; Ph.D., Drew University'
  ➜ Skipping stray line: 'Rosenblatt, Heather; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Rossi, Cynthia; Ph.D., University of Maryland'
  ➜ Skipping stray line: 'Saddler, Derrick; Ph.D., University of South Florida'
  ➜ Skipping stray line: 'Sanchez, Melvin; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Scheg, Abigail; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Scheib, Douglas; Ph.D., University of Miami'
  ➜ Skipping stray line: 'Scotece, Shannon; Ph.D., State University of New York - Albany'
  ➜ Skipping stray line: 'Shahi, Kimberley; Ph.D., University of Texas at Arlington'
  ➜ Skipping stray line: 'Sharpe, Robert; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Shimotsu-Dariol, Stephanie; Ph.D., West Virginia University'
  ➜ Skipping stray line: 'Simeon, Patricia; Ed.D., Grambling State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 178'
  ➜ Skipping stray line: 'Simmons, Nathaniel; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Smith, Tommie; MBA, Middle Tennessee State University'
  ➜ Skipping stray line: 'Springfield, Derriell; Ed.D., East Tennessee State University'
  ➜ Skipping stray line: 'St Martin, Ashley; M.S., University of Vermont'
  ➜ Skipping stray line: 'Stambaugh, Nathaniel; Ph.D., Brandeis University'
  ➜ Skipping stray line: 'Starr, Neil; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Timmer, Kristin; Ph.D., University of Tennessee Health Science Center'
  ➜ Skipping stray line: 'Tolin Schultz, Alexandra; Ph.D., Stony Brook University'
  ➜ Skipping stray line: 'Tucker, Diana; Ph.D., Southern Illinois University Carbondale'
  ➜ Skipping stray line: 'Tweedy, Joanna; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Verber, Jason; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Vida, Anna; M.A., Arizona State University'
  ➜ Skipping stray line: 'Walker, Hope; M.A., The American University'
  ➜ Skipping stray line: 'Weaver, Matthew; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Webb, James; M.A., Pacific University'
  ➜ Skipping stray line: 'Wellinghoff, Lisa; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Westmoreland, Brandi; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Whitson-Whennen, Tonya; M.M., University of Utah'
  ➜ Skipping stray line: 'Woolridge, Mary; Ph.D., University of Central Florida'
  ➜ Skipping stray line: 'Young, Michael; Ph.D., University of Missouri at Saint Louis'
  ➜ Skipping stray line: 'Zasadny, Jill; Ph.D., Kansas University'
  ➜ Skipping stray line: 'Teachers College'
  ➜ Skipping stray line: 'Aafif, Amal; Ph.D., Drexel University'
  ➜ Skipping stray line: 'Affleck, Alisa; M.A., Western Governors University'
  ➜ Skipping stray line: 'Allen, Elizabeth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Aranda, Christina; M.A., University of Utah'
  ➜ Skipping stray line: 'Aufderhaar, Carolyn; Ed.D., University of Cincinnati'
  ➜ Skipping stray line: 'Baxter, Marissa; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Belchik-Moser, Sara; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Betts, Anastasia; Ph.D., Regent University'
  ➜ Skipping stray line: 'Blanks, Dorothy; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Boen, Laurie; Ph.D., University of Arkansas'
  ➜ Skipping stray line: 'Boyd-Bradwell, Natasha; Ph.D., Capella University'
  ➜ Skipping stray line: 'Branan, Daniel; Ph.D., University of Denver'
  ➜ Skipping stray line: 'Branch, Leah; Ed.D., Bethel University'
  ➜ Skipping stray line: 'Brogan, Lynn; Ed.D., Columbia University'
  ➜ Skipping stray line: 'Brooks, Marlaina; Ed.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Calero, Lisa; Ph.D., Capella University'
  ➜ Skipping stray line: 'Carey, Kimberly; Ph.D., Old Dominion University'
  ➜ Skipping stray line: 'Cartwright, Nancy; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'Cohen, Kimberley; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Constanza, Michele; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Covey, Nicole; Ed.D., University of Memphis'
  ➜ Skipping stray line: 'Douglas, Deanna; Ph.D., Wichita State University'
  ➜ Skipping stray line: 'Dove, Teresa; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Dukes, Debra; Ed.D., University of Georgia'
  ➜ Skipping stray line: 'Durakiewicz, Anna; M.S., University of Marie Curie'
  ➜ Skipping stray line: 'Eisenhour, Melanie; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Feng, Suiping; Ph.D., City University of New York'
  ➜ Skipping stray line: 'Fillpot, Elsie; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Flavin, Kathryn; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Flores, Alberto; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Francis, David; M.A., Western Governors University'
  ➜ Skipping stray line: 'Giddens, Evelyn; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gillman, Brenna; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Gray-Dowdy, Audra; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Hall, Robert; Ph.D., Capella University'
  ➜ Skipping stray line: 'Halverson, Colleen; Ph.D., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Harbin, Lesley; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 179'
  ➜ Skipping stray line: 'Hardin, Bridgette; Ed.D., Texas A&M University-Corpus Christi'
  ➜ Skipping stray line: 'Hedman, Shawn; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Henry, Joanna; M.E., Lamar University'
  ➜ Skipping stray line: 'Hernandez, Julie; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Hiebel, Adam; Ed.D., Ohio University'
  ➜ Skipping stray line: 'Hudon-Miller, Sarah; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Hughes, Amy; Ed.D., University of Montana'
  ➜ Skipping stray line: 'Hutson, Tommye; Ed.D., Baylor University'
  ➜ Skipping stray line: 'Igbinoba-Cummings, Monique; Ph.D., Lynn University'
  ➜ Skipping stray line: 'Izumi, Alisa; Ed.D., University of Massachusetts'
  ➜ Skipping stray line: 'Jacobs, Patricia; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Janitzki, Dean; M.A., University of Toledo'
  ➜ Skipping stray line: 'Johnson, Sherri; Ph.D., Capella University'
  ➜ Skipping stray line: 'Jovic, Marko; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Kain, Meri; Ed.D., University of Missouri'
  ➜ Skipping stray line: 'Kelly, Gretchen; Ed.D., Walden University'
  ➜ Skipping stray line: 'Leinbach, William; Ed.D., Oregon State University'
  ➜ Skipping stray line: 'Lindemann, Steven; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Linkenhoker, Dina; Ed.D., Liberty University'
  ➜ Skipping stray line: 'Lipscomb, Pauline; Ed.D., University of the Cumberlands'
  ➜ Skipping stray line: 'Luster, Sandricia; Ed.S., Argosy University'
  ➜ Skipping stray line: 'McCarver, Patricia; Ph.D., California Institute of Integral Studies'
  ➜ Skipping stray line: 'McDaniel, Maryann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'McGrath Hovland, Michelle; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Mendes, John; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Miller, Esther; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Mills, Ginger; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Moore, Tontaleya; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Morgan, Matthew; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Mour, Jennifer; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Murray, Mary; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Obianyo, Obiamaka; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Odom, M. Katherine; Ph.D., University of South Alabama'
  ➜ Skipping stray line: 'O’Malley, Maureen; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Pack, Mamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Parry, Kelly; Ph.D., University of North Texas'
  ➜ Skipping stray line: 'Purnell, Courtney; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Quinn, Lori; M.A.Ed., Prairie View A&M University'
  ➜ Skipping stray line: 'Rahsaz, Jacqueline; M.A., University of California San Diego'
  ➜ Skipping stray line: 'Randonis, Jennifer; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Rawson, Robert; Ph.D., University of Texas Southwestern'
  ➜ Skipping stray line: 'Richen, Damara; Ed.D., Fielding Graduate University'
  ➜ Skipping stray line: 'Robles, Veronica; Ed.D., Arizona State University'
  ➜ Skipping stray line: 'Rogers, Carmelle; Ph.D., Kansas State University'
  ➜ Skipping stray line: 'Russell-Fry, Nancy; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Scales, Rebecca; M.A., Western Governors University'
  ➜ Skipping stray line: 'Schmidt, Stan; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Sepetys, Peggy; Ed.D., University of Michigan'
  ➜ Skipping stray line: 'Shrader, Vincent; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Silver, Jennifer; Ph.D., New York University'
  ➜ Skipping stray line: 'Sims, Rachel; Ed.D., Walden University'
  ➜ Skipping stray line: 'Smith, Janeal; Ph.D., Walden University'
  ➜ Skipping stray line: 'Spencer, Kristin; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Story, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Swenson, Karl; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Thompson, Julie; Ph.D., University of Rochester'
  ➜ Skipping stray line: 'Traub-Metlay, Suzanne; Ph.D., University of Pittsburg'
  ➜ Skipping stray line: 'Tresnak, Robyn; Ph.D., Walden University'
  ➜ Skipping stray line: 'Turner, Carmen; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Vickers, Paul; Ed.D., Stephen F. Austin State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 180'
  ➜ Skipping stray line: 'Walter-Sullivan, Earnestyne; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'Weinstein, Gideon; Ph.D., Indiana University Bloomington'
  ➜ Skipping stray line: 'Whitmire, Jane; Ph.D., University of Montana'
  ➜ Skipping stray line: 'Willey-Rendon, Ruby; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Williams, Lacey; Ed.D., Union Institute and University'
  ➜ Skipping stray line: 'Wisnosky, Marc; Ph.D., University of Pittsburgh'
  ➜ Skipping stray line: 'Yanusheva, Lidiya; Ed.D., Walden University'
  ➜ Skipping stray line: 'Yatherajam, Gayatri; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Zartman, Krista; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Zimmerli, Mandy; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'College of Business'
  ➜ Skipping stray line: 'Abubakari, Nina; J.D., Wayne State University'
  ➜ Skipping stray line: 'Adler, Kathleen; Ph.D., Southern Methodist University'
  ➜ Skipping stray line: 'Alafita, Theresa; Ph.D., George Washington University'
  ➜ Skipping stray line: 'Arenz, Russell; Ph.D., Colorado Technical University'
  ➜ Skipping stray line: 'Argiento, Steven; J.D., Pace University'
  ➜ Skipping stray line: 'Austin, Judy; MBA, Western Governors University'
  ➜ Skipping stray line: 'Baragoshi, Behroz; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Barton, Robert; Ed.S., Utah State University'
  ➜ Skipping stray line: 'Black, Hilda; Ph.D., Louisiana Tech University'
  ➜ Skipping stray line: 'Borch, Casey; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Boysen-Rotelli, Sheila; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Brownstein, Steven; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Carson, Pook; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Cassell, Kenneth; MBA, San Jose State University'
  ➜ Skipping stray line: 'Cherry, Patricia; Ph.D., Capella University'
  ➜ Skipping stray line: 'Clarke, Jeffrey; Ph.D., University of California-Los Angeles'
  ➜ Skipping stray line: 'Connor, Martin; J.D., University of North Dakota'
  ➜ Skipping stray line: 'Davis, Lorretta; Ph.D., Capella University'
  ➜ Skipping stray line: 'Davis, Mary; Ed.D., Central Michigan University'
  ➜ Skipping stray line: 'Doctorman, Lindsey; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Doren, Andrew; D.M., University of Maryland'
  ➜ Skipping stray line: 'Dula, Kimberly; Ph.D., Mercer University'
  ➜ Skipping stray line: 'Duran, Anthony; DBA, Grand Canyon University'
  ➜ Skipping stray line: 'Ennis, Erica; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Etter, Edwin; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Feehery, George; DBA, Nova Southeastern University'
  ➜ Skipping stray line: 'Fisher, Paul; Ph.D., Oregon State University'
  ➜ Skipping stray line: 'Gallo, Merry; DBA, Argosy University'
  ➜ Skipping stray line: 'Garland, Jennifer; DBA, Keiser University'
  ➜ Skipping stray line: 'Geddes, Bruce; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gilyot, Bianca; MBA, Northcentral University'
  ➜ Skipping stray line: 'Giscombe, Hilbert; DBA, Argosy University'
  ➜ Skipping stray line: 'Gough, Gregory; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Green, Maurice; Ph.D., University at Albany – State University of New York'
  ➜ Skipping stray line: 'Gunn, Linda; Ph.D., Union Institute and University'
  ➜ Skipping stray line: 'Havins, Merwin; Ed.D., Northern Arizona University'
  ➜ Skipping stray line: 'Heinzman, Joseph; DM, Colorado Technical University'
  ➜ Skipping stray line: 'Hon, Charles; Ph.D., Capella University'
  ➜ Skipping stray line: 'Hudson, Brandi; J.D., Regent University'
  ➜ Skipping stray line: 'Iannucci, Brian; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Imboden, Paul; DBA., Northcentral University'
  ➜ Skipping stray line: 'Jividen, Jim; J.D., Ohio Northern University'
  ➜ Skipping stray line: 'Jones, Alan; MBA, Dartmouth College'
  ➜ Skipping stray line: 'Justice, Jeanne; DBA, Walden University'
  ➜ Skipping stray line: 'Kale, Mrinalini; Ph.D., Capella University'
  ➜ Skipping stray line: 'Kenny, Timothy; M.S., Regis University'
  ➜ Skipping stray line: 'Kowalski, Christine; Ed.D., National Louis University'
  ➜ Skipping stray line: 'Kushniroff, Melinda; Ed.D., Liberty University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 181'
  ➜ Skipping stray line: 'La Hay, Ann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Lagroue, Harold; Ph.D., Louisiana State University'
  ➜ Skipping stray line: 'Lamer, Maryann; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Langdon, Debra; MBA, Denver University'
  ➜ Skipping stray line: 'Lutter-Cooper, Victoria; Ph.D., Capella University'
  ➜ Skipping stray line: 'Marshall, Mario; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'McClesky, Jamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'McNulty, Peggy; Ph.D., University of Colorado-Colorado Springs'
  ➜ Skipping stray line: 'Melton, Rebecca; Ph.D., Chicago School of Professional Psychology'
  ➜ Skipping stray line: 'Mills, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Moore, Detria; J.D., Liberty University'
  ➜ Skipping stray line: 'Neely, Cecil; MBA, University of North Carolina at Greensboro'
  ➜ Skipping stray line: 'Nelms, Linda; Ph.D., Capella University'
  ➜ Skipping stray line: 'Nelson, Camille; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'O’Brien, Joseph; Ed.D., George Washington University'
  ➜ Skipping stray line: 'Openshaw, Matthew; Ph.D., University of Texas at Dallas'
  ➜ Skipping stray line: 'Parish, Beth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Patterson, Julie; Ph.D., University of Illinois at Urbana-Champaign'
  ➜ Skipping stray line: 'Pawarski, Richard; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Phillips, Patti; J.D., Stetson University'
  ➜ Skipping stray line: 'Pratt, Christopher; DHA, University of Phoenix'
  ➜ Skipping stray line: 'Raimo, Steve; DSL, Regent University'
  ➜ Skipping stray line: 'Richardson, Shay; DBA, Walden University'
  ➜ Skipping stray line: 'Roberts, Tracia; M.S., University of Phoenix'
  ➜ Skipping stray line: 'Roberts, Wade; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Rogers, Katie; MBA, University of Utah'
  ➜ Skipping stray line: 'Sawant, Gauri; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Shah, Rob; MBA, DeVry University'
  ➜ Skipping stray line: 'Shepherd, Tracie; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Skinner, Susan; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Snipes, Dawna; J.D., Western Michigan University'
  ➜ Skipping stray line: 'Souder, Michele; MBA, University of Dayton'
  ➜ Skipping stray line: 'Spicer, Ronald; Ph.D., Capella University'
  ➜ Skipping stray line: 'Stewart, Michelle; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Strickland, Cynthia; Ph.D., Touro University International'
  ➜ Skipping stray line: 'Swarthout, Nanette; MBA, Fontbonne University'
  ➜ Skipping stray line: 'Tapp, Timothy; MHA, Washington University'
  ➜ Skipping stray line: 'Thomas, Melanie; J.D., University of North Carolina'
  ➜ Skipping stray line: 'Venkateswar, Sankaran; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Wachter, Eddie; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Wade, Keith; MBA, University of Detroit'
  ➜ Skipping stray line: 'Walker, Natalie; DBA, Keiser University'
  ➜ Skipping stray line: 'Wang, Xiaofei; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Williams, Pegeen; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Williams, Rian; MPA, University of Utah'
  ➜ Skipping stray line: 'Wood, Carrie; M.S., Strayer University'
  ➜ Skipping stray line: 'College of Information Technology'
  ➜ Skipping stray line: 'Al-Husaam, Abdul; Ph.D., Capella University'
  ➜ Skipping stray line: 'Alberici, Mary; Ph.D., University of Missouri-St. Louis'
  ➜ Skipping stray line: 'Allen, Candice; M.A., Capella University'
  ➜ Skipping stray line: 'Antonucci, Amy; M.S., University of Delaware'
  ➜ Skipping stray line: 'Banerjee, Pubali; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'Beverley, Charles; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Blanson, Constance; Ph.D., Capella University'
  ➜ Skipping stray line: 'Bojonny, John; M.S., Marywood University'
  ➜ Skipping stray line: 'Borsum, Pamela; MBA, Western Governors University'
  ➜ Skipping stray line: 'Campbell, Wendy; DBA, Northcentral University'
  ➜ Skipping stray line: 'Carter, Betty; M.S., Troy University'
  ➜ Skipping stray line: 'Cobbs, Dana; M.S., College of William and Mary'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 182'
  ➜ Skipping stray line: 'Cook, Henry; M.S., Clark Atlanta University'
  ➜ Skipping stray line: 'Crawford, Demetria; M.S., Boston University'
  ➜ Skipping stray line: 'Dupree, Yolanda; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Farmer, Jaynee; M.A., University of Arkansas at Little Rock'
  ➜ Skipping stray line: 'Ferdinand, Jeff; M.S., Trident University International'
  ➜ Skipping stray line: 'Gardner, Diana; MBA, Western Governors University'
  ➜ Skipping stray line: 'Garza, Brian; M.S., Western Governors University'
  ➜ Skipping stray line: 'Goodwin, Orenthio; Ph.D., Capella University'
  ➜ Skipping stray line: 'Heiner, Jenny; M.S., Capitol College'
  ➜ Skipping stray line: 'Huff, David; Ph.D., Wayne State University'
  ➜ Skipping stray line: 'Jensen, Bryan; M.S., Bellvue University'
  ➜ Skipping stray line: 'Kercher, Paul; M.S., Missouri University of Science and Technology'
  ➜ Skipping stray line: 'LaMolinare, Deana; M.S., Duquesne University'
  ➜ Skipping stray line: 'Lang, Cythia; MSCHe, University of Maryland'
  ➜ Skipping stray line: 'Lavieri, Edward; DCS, Colorado Technical University'
  ➜ Skipping stray line: 'Light, Gerri; M.S., Walden University'
  ➜ Skipping stray line: 'Lively, Charles; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'McFarlane, Michele; M.S., DeVry University'
  ➜ Skipping stray line: 'McLaughlin, Mike; M.S., University of Maine'
  ➜ Skipping stray line: 'Mendell, Ronald; M.S., Capitol College'
  ➜ Skipping stray line: 'Milham, Thomas; MNCM, DeVry University'
  ➜ Skipping stray line: 'Moore, Ronald; M.A., Troy University'
  ➜ Skipping stray line: 'Morrill, Ralph; Ph.D., North Central University'
  ➜ Skipping stray line: 'Ntinglet-Davis, Emelda; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Ozmer, Connie; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Paddock, Charles; Ph.D., University of Houston'
  ➜ Skipping stray line: 'Peterson, Michael; Ph.D., Capella University'
  ➜ Skipping stray line: 'Pinaire, Ken; MBA, University of Texas at Dallas'
  ➜ Skipping stray line: 'Rawlinson, David; J.D., South Texas College of Law'
  ➜ Skipping stray line: 'Schaefer, Brett; MBA, DeVry University'
  ➜ Skipping stray line: 'Shenk, Maria; M.S., City University of Seattle'
  ➜ Skipping stray line: 'Scutro, Rebecca; M.S., Saint Joseph’s University'
  ➜ Skipping stray line: 'Sewell, William; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Sher-DeCusatis, Carolyn; M.A., State University of New York at Stony Brook'
  ➜ Skipping stray line: 'Shields, Jessica; MFA, Savannah College of Art and Design'
  ➜ Skipping stray line: 'Sistelos, Antonio; Ph.D., Indiana State University'
  ➜ Skipping stray line: 'Stromberg, Scott; M.S., Nova Southeastern University'
  ➜ Skipping stray line: 'Swanson, Tom; Ph.D., Capella University'
  ➜ Skipping stray line: 'Taylor, Julinda; M.S., Wichita State University'
  ➜ Skipping stray line: 'Travis, Susan; M.A., University of Phoenix'
  ➜ Skipping stray line: 'College of Health Professions'
  ➜ Skipping stray line: 'Abdur-Rahman, Veronica; Ph.D., Texas Woman’s University'
  ➜ Skipping stray line: 'Abee, Debra; M.S., University of North Carolina Greensboro'
  ➜ Skipping stray line: 'Abraham, Gail; MSN/ED, University of Phoenix'
  ➜ Skipping stray line: 'Adams, Lora; M.S., Michigan State University'
  ➜ Skipping stray line: 'Adkins, Dee; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Allen, Juanita; DNP, University of Utah'
  ➜ Skipping stray line: 'Ashby, Shelley; DNP, University of Southern Indiana'
  ➜ Skipping stray line: 'Austgen, Donna; M.S., University of Indianapolis'
  ➜ Skipping stray line: 'Barber, Kendar; M.S., Indiana University'
  ➜ Skipping stray line: 'Battle, Linda; DNP, Regis College'
  ➜ Skipping stray line: 'Benoit, Heidi; M.S., Western Governors University'
  ➜ Skipping stray line: 'Benson, Johnett; DNP, Kent State University'
  ➜ Skipping stray line: 'Bergfeld, Marcia; M.S., Lourdes College'
  ➜ Skipping stray line: 'Berndt, Janeen; DNP, Valparaiso University'
  ➜ Skipping stray line: 'Blaine, Stephanie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Cain, Lyn; Ph.D., Grand Canyon University'
  ➜ Skipping stray line: 'Carney, Mary; DNP, Touro University – Nevada'
  ➜ Skipping stray line: 'Chau-Nguyen, Thao; MPH, Tulane University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 183'
  ➜ Skipping stray line: 'Cleveland, Melissa; DNP, Rocky Mountain University'
  ➜ Skipping stray line: 'Cloonan, Kelly; DNP, Case Western Reserve'
  ➜ Skipping stray line: 'Dahdal, Kimberly; M.S., Western Governors University'
  ➜ Skipping stray line: 'Dantzler, Barbara; Ph.D., Trident University'
  ➜ Skipping stray line: 'Diaz, Constance; Ph.D., University of Northern Colorado'
  ➜ Skipping stray line: 'Diaz, Lorna; DNP, Western University of Health Sciences'
  ➜ Skipping stray line: 'Dorin, Michelle; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Dush, Curtis; M.S., East Tennessee State University'
  ➜ Skipping stray line: 'Elmer, Justine; M.S., Kaplan University'
  ➜ Skipping stray line: 'Englert, Mary; DNP, University of North Florida'
  ➜ Skipping stray line: 'Feather, Rebecca; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Frankie, Sandra; M.S., Western Governors University'
  ➜ Skipping stray line: 'Gabel, Ann; M.S., University of Kansas'
  ➜ Skipping stray line: 'Gayol, Marcos; M.S., Aspen University'
  ➜ Skipping stray line: 'Giaquinto, Elisa; M.A., Brown University'
  ➜ Skipping stray line: 'Gogatz, Debra; DNP, Regis University'
  ➜ Skipping stray line: 'Golden, Christina; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Gottesfeld, Ilene; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Gwyn, Elizabeth; M.S., Winston Salem State University'
  ➜ Skipping stray line: 'Hadsell, Christine; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Hansen, Julie; Ph.D., South Dakota State University'
  ➜ Skipping stray line: 'Hartley-Clanton, Patricia; M.S., University of Utah'
  ➜ Skipping stray line: 'Hawkins, Shannon; M.S., Walden University'
  ➜ Skipping stray line: 'Heyer-Schmidt, Theres-Anne; ND, University of Colorado-Denver'
  ➜ Skipping stray line: 'Hill, Dana; Ph.D., Walden University'
  ➜ Skipping stray line: 'Hunt, Eleanor; M.S., Duke University'
  ➜ Skipping stray line: 'Johnson-Anderson, Heidi; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Kangas, Sandra; Ph.D., Georgia State University'
  ➜ Skipping stray line: 'Kogan, Lisa; M.S., Western Governors University'
  ➜ Skipping stray line: 'Langer Atkinson, Heidi; Ph.D., University of Albany'
  ➜ Skipping stray line: 'Lashlee, Marilyn; DNP, Northeastern University'
  ➜ Skipping stray line: 'Long, Jennifer; M.S., Indiana University'
  ➜ Skipping stray line: 'Marshall, Janet; Ph.D., Rush University'
  ➜ Title candidate: 'Masterson, Debra; Ed.D., Liberty University'
  ✔️ Collected description (40 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 6662: 'C915 - Chemistry: Content Knowledge - Chemistry: Content Knowledge provides advanced instruction in the main areas of chemistry for which'

🔍 parse_program: starting at line 6662: 'C915 - Chemistry: Content Knowledge - Chemistry: Content Knowledge provides advanced instruction in the main areas of chemistry for which'
  ➜ Title candidate: 'C915 - Chemistry: Content Knowledge - Chemistry: Content Knowledge provides advanced instruction in the main areas of chemistry for which'
  ❌ Invalid title line: 'C915 - Chemistry: Content Knowledge - Chemistry: Content Knowledge provides advanced instruction in the main areas of chemistry for which'
  ➜ Parsing at 6663: 'secondary chemistry teachers are expected to demonstrate competency. Topics include matter and energy, thermochemistry, structure, bonding,'

🔍 parse_program: starting at line 6663: 'secondary chemistry teachers are expected to demonstrate competency. Topics include matter and energy, thermochemistry, structure, bonding,'
  ➜ Title candidate: 'secondary chemistry teachers are expected to demonstrate competency. Topics include matter and energy, thermochemistry, structure, bonding,'
  ❌ Invalid title line: 'secondary chemistry teachers are expected to demonstrate competency. Topics include matter and energy, thermochemistry, structure, bonding,'
  ➜ Parsing at 6664: 'reactivity, biochemistry and organic chemistry, solutions, nature of science, technology and social perspectives, mathematics, and laboratory'

🔍 parse_program: starting at line 6664: 'reactivity, biochemistry and organic chemistry, solutions, nature of science, technology and social perspectives, mathematics, and laboratory'
  ➜ Title candidate: 'reactivity, biochemistry and organic chemistry, solutions, nature of science, technology and social perspectives, mathematics, and laboratory'
  ❌ Invalid title line: 'reactivity, biochemistry and organic chemistry, solutions, nature of science, technology and social perspectives, mathematics, and laboratory'
  ➜ Parsing at 6665: 'procedures.'

🔍 parse_program: starting at line 6665: 'procedures.'
  ➜ Title candidate: 'procedures.'
  ❌ Invalid title line: 'procedures.'
  ➜ Parsing at 6666: 'C925 - Earth: Inside and Out - Earth: Inside and Out explores the ways in which our dynamic planet evolved, and the processes and systems that'

🔍 parse_program: starting at line 6666: 'C925 - Earth: Inside and Out - Earth: Inside and Out explores the ways in which our dynamic planet evolved, and the processes and systems that'
  ➜ Title candidate: 'C925 - Earth: Inside and Out - Earth: Inside and Out explores the ways in which our dynamic planet evolved, and the processes and systems that'
  ❌ Invalid title line: 'C925 - Earth: Inside and Out - Earth: Inside and Out explores the ways in which our dynamic planet evolved, and the processes and systems that'
  ➜ Parsing at 6667: 'continue to shape it. Though the geologic record is incredibly ancient, it has only been studied intensely since the end of the nineteenth century. Since'

🔍 parse_program: starting at line 6667: 'continue to shape it. Though the geologic record is incredibly ancient, it has only been studied intensely since the end of the nineteenth century. Since'
  ➜ Title candidate: 'continue to shape it. Though the geologic record is incredibly ancient, it has only been studied intensely since the end of the nineteenth century. Since'
  ❌ Invalid title line: 'continue to shape it. Though the geologic record is incredibly ancient, it has only been studied intensely since the end of the nineteenth century. Since'
  ➜ Parsing at 6668: 'then, research in fields such as geologic time, plate tectonics, climate change, exploration of the deep sea floor, and the inner earth have vastly'

🔍 parse_program: starting at line 6668: 'then, research in fields such as geologic time, plate tectonics, climate change, exploration of the deep sea floor, and the inner earth have vastly'
  ➜ Title candidate: 'then, research in fields such as geologic time, plate tectonics, climate change, exploration of the deep sea floor, and the inner earth have vastly'
  ❌ Invalid title line: 'then, research in fields such as geologic time, plate tectonics, climate change, exploration of the deep sea floor, and the inner earth have vastly'
  ➜ Parsing at 6669: 'increased our understanding of geological processes. There are no prerequisites for this course.'

🔍 parse_program: starting at line 6669: 'increased our understanding of geological processes. There are no prerequisites for this course.'
  ➜ Title candidate: 'increased our understanding of geological processes. There are no prerequisites for this course.'
  ❌ Invalid title line: 'increased our understanding of geological processes. There are no prerequisites for this course.'
  ➜ Parsing at 6670: 'C926 - Earth: Inside and Out - Earth: Inside and Out explores the ways in which our dynamic planet evolved, and the processes and systems that'

🔍 parse_program: starting at line 6670: 'C926 - Earth: Inside and Out - Earth: Inside and Out explores the ways in which our dynamic planet evolved, and the processes and systems that'
  ➜ Title candidate: 'C926 - Earth: Inside and Out - Earth: Inside and Out explores the ways in which our dynamic planet evolved, and the processes and systems that'
  ❌ Invalid title line: 'C926 - Earth: Inside and Out - Earth: Inside and Out explores the ways in which our dynamic planet evolved, and the processes and systems that'
  ➜ Parsing at 6671: 'continue to shape it. Though the geologic record is incredibly ancient, it has only been studied intensely since the end of the nineteenth century. Since'

🔍 parse_program: starting at line 6671: 'continue to shape it. Though the geologic record is incredibly ancient, it has only been studied intensely since the end of the nineteenth century. Since'
  ➜ Title candidate: 'continue to shape it. Though the geologic record is incredibly ancient, it has only been studied intensely since the end of the nineteenth century. Since'
  ❌ Invalid title line: 'continue to shape it. Though the geologic record is incredibly ancient, it has only been studied intensely since the end of the nineteenth century. Since'
  ➜ Parsing at 6672: 'then, research in fields such as geologic time, plate tectonics, climate change, exploration of the deep sea floor, and the inner earth have vastly'

🔍 parse_program: starting at line 6672: 'then, research in fields such as geologic time, plate tectonics, climate change, exploration of the deep sea floor, and the inner earth have vastly'
  ➜ Title candidate: 'then, research in fields such as geologic time, plate tectonics, climate change, exploration of the deep sea floor, and the inner earth have vastly'
  ❌ Invalid title line: 'then, research in fields such as geologic time, plate tectonics, climate change, exploration of the deep sea floor, and the inner earth have vastly'
  ➜ Parsing at 6673: 'increased our understanding of geological processes. There are no prerequisites for this course.'

🔍 parse_program: starting at line 6673: 'increased our understanding of geological processes. There are no prerequisites for this course.'
  ➜ Title candidate: 'increased our understanding of geological processes. There are no prerequisites for this course.'
  ❌ Invalid title line: 'increased our understanding of geological processes. There are no prerequisites for this course.'
  ➜ Parsing at 6674: 'C930 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'

🔍 parse_program: starting at line 6674: 'C930 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Title candidate: 'C930 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ❌ Invalid title line: 'C930 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Parsing at 6675: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'

🔍 parse_program: starting at line 6675: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Title candidate: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ❌ Invalid title line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Parsing at 6676: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'

🔍 parse_program: starting at line 6676: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Title candidate: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ❌ Invalid title line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Parsing at 6677: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'

🔍 parse_program: starting at line 6677: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Title candidate: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ❌ Invalid title line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Parsing at 6678: 'completed resume.'

🔍 parse_program: starting at line 6678: 'completed resume.'
  ➜ Title candidate: 'completed resume.'
  ❌ Invalid title line: 'completed resume.'
  ➜ Parsing at 6679: 'C931 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'

🔍 parse_program: starting at line 6679: 'C931 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Title candidate: 'C931 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ❌ Invalid title line: 'C931 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Parsing at 6680: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'

🔍 parse_program: starting at line 6680: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Title candidate: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ❌ Invalid title line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Parsing at 6681: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'

🔍 parse_program: starting at line 6681: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Title candidate: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ❌ Invalid title line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Parsing at 6682: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'

🔍 parse_program: starting at line 6682: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Title candidate: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ❌ Invalid title line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Parsing at 6683: 'completed resume.'

🔍 parse_program: starting at line 6683: 'completed resume.'
  ➜ Title candidate: 'completed resume.'
  ❌ Invalid title line: 'completed resume.'
  ➜ Parsing at 6684: 'C932 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'

🔍 parse_program: starting at line 6684: 'C932 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Title candidate: 'C932 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ❌ Invalid title line: 'C932 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Parsing at 6685: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'

🔍 parse_program: starting at line 6685: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Title candidate: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ❌ Invalid title line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Parsing at 6686: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'

🔍 parse_program: starting at line 6686: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Title candidate: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ❌ Invalid title line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Parsing at 6687: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'

🔍 parse_program: starting at line 6687: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Title candidate: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ❌ Invalid title line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Parsing at 6688: 'completed resume.'

🔍 parse_program: starting at line 6688: 'completed resume.'
  ➜ Title candidate: 'completed resume.'
  ❌ Invalid title line: 'completed resume.'
  ➜ Parsing at 6689: 'C933 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'

🔍 parse_program: starting at line 6689: 'C933 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Title candidate: 'C933 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ❌ Invalid title line: 'C933 - Preclinical Experiences in Mathematics - Preclinical Experiences in Mathematics provides students the opportunity to observe and'
  ➜ Parsing at 6690: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'

🔍 parse_program: starting at line 6690: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Title candidate: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ❌ Invalid title line: 'participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher.'
  ➜ Parsing at 6691: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'

🔍 parse_program: starting at line 6691: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Title candidate: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ❌ Invalid title line: 'Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will'
  ➜ Parsing at 6692: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'

🔍 parse_program: starting at line 6692: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Title candidate: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ❌ Invalid title line: 'be required to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a'
  ➜ Parsing at 6693: 'completed resume.'

🔍 parse_program: starting at line 6693: 'completed resume.'
  ➜ Title candidate: 'completed resume.'
  ❌ Invalid title line: 'completed resume.'
  ➜ Parsing at 6694: 'C934 - Preclinical Experiences in Elementary and Special Education - Preclinical Experiences in Elementary and Special Education provides'

🔍 parse_program: starting at line 6694: 'C934 - Preclinical Experiences in Elementary and Special Education - Preclinical Experiences in Elementary and Special Education provides'
  ➜ Title candidate: 'C934 - Preclinical Experiences in Elementary and Special Education - Preclinical Experiences in Elementary and Special Education provides'
  ❌ Invalid title line: 'C934 - Preclinical Experiences in Elementary and Special Education - Preclinical Experiences in Elementary and Special Education provides'
  ➜ Parsing at 6695: 'students the opportunity to observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence'

🔍 parse_program: starting at line 6695: 'students the opportunity to observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence'
  ➜ Title candidate: 'students the opportunity to observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence'
  ❌ Invalid title line: 'students the opportunity to observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence'
  ➜ Parsing at 6696: 'necessary to be an effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the'

🔍 parse_program: starting at line 6696: 'necessary to be an effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the'
  ➜ Title candidate: 'necessary to be an effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the'
  ❌ Invalid title line: 'necessary to be an effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the'
  ➜ Parsing at 6697: 'classroom for the observations, students will be required to meet several requirements including a cleared background check, passing scores on the'

🔍 parse_program: starting at line 6697: 'classroom for the observations, students will be required to meet several requirements including a cleared background check, passing scores on the'
  ➜ Title candidate: 'classroom for the observations, students will be required to meet several requirements including a cleared background check, passing scores on the'
  ❌ Invalid title line: 'classroom for the observations, students will be required to meet several requirements including a cleared background check, passing scores on the'
  ➜ Parsing at 6698: 'state or WGU required basic skills exam and a completed resume.'

🔍 parse_program: starting at line 6698: 'state or WGU required basic skills exam and a completed resume.'
  ➜ Title candidate: 'state or WGU required basic skills exam and a completed resume.'
  ❌ Invalid title line: 'state or WGU required basic skills exam and a completed resume.'
  ➜ Parsing at 6699: 'C935 - Preclinical Experiences in Elementary Education - Preclinical Experiences in Elementary Education provides students the opportunity to'

🔍 parse_program: starting at line 6699: 'C935 - Preclinical Experiences in Elementary Education - Preclinical Experiences in Elementary Education provides students the opportunity to'
  ➜ Title candidate: 'C935 - Preclinical Experiences in Elementary Education - Preclinical Experiences in Elementary Education provides students the opportunity to'
  ❌ Invalid title line: 'C935 - Preclinical Experiences in Elementary Education - Preclinical Experiences in Elementary Education provides students the opportunity to'
  ➜ Parsing at 6700: 'observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an'

🔍 parse_program: starting at line 6700: 'observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an'
  ➜ Title candidate: 'observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an'
  ❌ Invalid title line: 'observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an'
  ➜ Parsing at 6701: 'effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the'

🔍 parse_program: starting at line 6701: 'effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the'
  ➜ Title candidate: 'effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the'
  ❌ Invalid title line: 'effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the'
  ➜ Parsing at 6702: 'observations, students will be required to meet several requirements including a cleared background check, passing scores on the state or WGU'

🔍 parse_program: starting at line 6702: 'observations, students will be required to meet several requirements including a cleared background check, passing scores on the state or WGU'
  ➜ Title candidate: 'observations, students will be required to meet several requirements including a cleared background check, passing scores on the state or WGU'
  ❌ Invalid title line: 'observations, students will be required to meet several requirements including a cleared background check, passing scores on the state or WGU'
  ➜ Parsing at 6703: 'required basic skills exam and a completed resume.'

🔍 parse_program: starting at line 6703: 'required basic skills exam and a completed resume.'
  ➜ Title candidate: 'required basic skills exam and a completed resume.'
  ❌ Invalid title line: 'required basic skills exam and a completed resume.'
  ➜ Parsing at 6704: 'C936 - Preclinical Experiences in Elementary Education - Preclinical Experiences in Elementary Education provides students the opportunity to'

🔍 parse_program: starting at line 6704: 'C936 - Preclinical Experiences in Elementary Education - Preclinical Experiences in Elementary Education provides students the opportunity to'
  ➜ Title candidate: 'C936 - Preclinical Experiences in Elementary Education - Preclinical Experiences in Elementary Education provides students the opportunity to'
  ❌ Invalid title line: 'C936 - Preclinical Experiences in Elementary Education - Preclinical Experiences in Elementary Education provides students the opportunity to'
  ➜ Parsing at 6705: 'observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an'

🔍 parse_program: starting at line 6705: 'observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an'
  ➜ Title candidate: 'observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an'
  ❌ Invalid title line: 'observe and participate in a wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an'
  ➜ Parsing at 6706: 'effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the'

🔍 parse_program: starting at line 6706: 'effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the'
  ➜ Title candidate: 'effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the'
  ❌ Invalid title line: 'effective teacher. Students will reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the'
  ➜ Parsing at 6707: 'observations, students will be required to meet several requirements including a cleared background check, passing scores on the state or WGU'

🔍 parse_program: starting at line 6707: 'observations, students will be required to meet several requirements including a cleared background check, passing scores on the state or WGU'
  ➜ Title candidate: 'observations, students will be required to meet several requirements including a cleared background check, passing scores on the state or WGU'
  ❌ Invalid title line: 'observations, students will be required to meet several requirements including a cleared background check, passing scores on the state or WGU'
  ➜ Parsing at 6708: 'required basic skills exam and a completed resume.'

🔍 parse_program: starting at line 6708: 'required basic skills exam and a completed resume.'
  ➜ Title candidate: 'required basic skills exam and a completed resume.'
  ❌ Invalid title line: 'required basic skills exam and a completed resume.'
  ➜ Parsing at 6709: 'C937 - Preclinical Experiences in Science - Preclinical Experiences in Science provides students the opportunity to observe and participate in a'

🔍 parse_program: starting at line 6709: 'C937 - Preclinical Experiences in Science - Preclinical Experiences in Science provides students the opportunity to observe and participate in a'
  ➜ Title candidate: 'C937 - Preclinical Experiences in Science - Preclinical Experiences in Science provides students the opportunity to observe and participate in a'
  ❌ Invalid title line: 'C937 - Preclinical Experiences in Science - Preclinical Experiences in Science provides students the opportunity to observe and participate in a'
  ➜ Parsing at 6710: 'wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will'

🔍 parse_program: starting at line 6710: 'wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will'
  ➜ Title candidate: 'wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will'
  ❌ Invalid title line: 'wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will'
  ➜ Parsing at 6711: 'reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required'

🔍 parse_program: starting at line 6711: 'reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required'
  ➜ Title candidate: 'reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required'
  ❌ Invalid title line: 'reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required'
  ➜ Parsing at 6712: 'to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed'

🔍 parse_program: starting at line 6712: 'to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed'
  ➜ Title candidate: 'to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed'
  ❌ Invalid title line: 'to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed'
  ➜ Parsing at 6713: 'resume.'

🔍 parse_program: starting at line 6713: 'resume.'
  ➜ Title candidate: 'resume.'
  ❌ Invalid title line: 'resume.'
  ➜ Parsing at 6714: 'C938 - Preclinical Experiences in Science - Preclinical Experiences in Science provides students the opportunity to observe and participate in a'

🔍 parse_program: starting at line 6714: 'C938 - Preclinical Experiences in Science - Preclinical Experiences in Science provides students the opportunity to observe and participate in a'
  ➜ Title candidate: 'C938 - Preclinical Experiences in Science - Preclinical Experiences in Science provides students the opportunity to observe and participate in a'
  ❌ Invalid title line: 'C938 - Preclinical Experiences in Science - Preclinical Experiences in Science provides students the opportunity to observe and participate in a'
  ➜ Parsing at 6715: 'wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will'

🔍 parse_program: starting at line 6715: 'wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will'
  ➜ Title candidate: 'wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will'
  ❌ Invalid title line: 'wide range of in-classroom teaching experiences in order to develop the skills and confidence necessary to be an effective teacher. Students will'
  ➜ Parsing at 6716: 'reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required'

🔍 parse_program: starting at line 6716: 'reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required'
  ➜ Title candidate: 'reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required'
  ❌ Invalid title line: 'reflect on and document at least 75 hours of in-classroom observations. Prior to entering the classroom for the observations, students will be required'
  ➜ Parsing at 6717: 'to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed'

🔍 parse_program: starting at line 6717: 'to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed'
  ➜ Title candidate: 'to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed'
  ❌ Invalid title line: 'to meet several requirements including a cleared background check, passing scores on the state or WGU required basic skills exam and a completed'
  ➜ Parsing at 6718: 'resume.'

🔍 parse_program: starting at line 6718: 'resume.'
  ➜ Title candidate: 'resume.'
  ❌ Invalid title line: 'resume.'
  ➜ Parsing at 6719: 'CQC2 - Calculus II - Calculus II is the study of the accumulation of change in relation to the area under a curve. It covers the knowledge and skills'

🔍 parse_program: starting at line 6719: 'CQC2 - Calculus II - Calculus II is the study of the accumulation of change in relation to the area under a curve. It covers the knowledge and skills'
  ➜ Title candidate: 'CQC2 - Calculus II - Calculus II is the study of the accumulation of change in relation to the area under a curve. It covers the knowledge and skills'
  ❌ Invalid title line: 'CQC2 - Calculus II - Calculus II is the study of the accumulation of change in relation to the area under a curve. It covers the knowledge and skills'
  ➜ Parsing at 6720: 'necessary to apply integral calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include'

🔍 parse_program: starting at line 6720: 'necessary to apply integral calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include'
  ➜ Title candidate: 'necessary to apply integral calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include'
  ❌ Invalid title line: 'necessary to apply integral calculus of one variable and to use appropriate technology to model and solve real-life problems. Topics include'
  ➜ Parsing at 6721: 'antiderivatives; indefinite integrals; the substitution rule; Riemann sums; the Fundamental Theorem of Calculus; definite integrals; acceleration,'

🔍 parse_program: starting at line 6721: 'antiderivatives; indefinite integrals; the substitution rule; Riemann sums; the Fundamental Theorem of Calculus; definite integrals; acceleration,'
  ➜ Title candidate: 'antiderivatives; indefinite integrals; the substitution rule; Riemann sums; the Fundamental Theorem of Calculus; definite integrals; acceleration,'
  ❌ Invalid title line: 'antiderivatives; indefinite integrals; the substitution rule; Riemann sums; the Fundamental Theorem of Calculus; definite integrals; acceleration,'
  ➜ Parsing at 6722: 'velocity, position, and initial values; integration by parts; integration by trigonometric substitution; integration by partial fractions; numerical integration;'

🔍 parse_program: starting at line 6722: 'velocity, position, and initial values; integration by parts; integration by trigonometric substitution; integration by partial fractions; numerical integration;'
  ➜ Title candidate: 'velocity, position, and initial values; integration by parts; integration by trigonometric substitution; integration by partial fractions; numerical integration;'
  ❌ Invalid title line: 'velocity, position, and initial values; integration by parts; integration by trigonometric substitution; integration by partial fractions; numerical integration;'
  ➜ Parsing at 6723: 'improper integration; area between curves; volumes and surface areas of revolution; arc length; work; center of mass; separable differential equations;'

🔍 parse_program: starting at line 6723: 'improper integration; area between curves; volumes and surface areas of revolution; arc length; work; center of mass; separable differential equations;'
  ➜ Title candidate: 'improper integration; area between curves; volumes and surface areas of revolution; arc length; work; center of mass; separable differential equations;'
  ❌ Invalid title line: 'improper integration; area between curves; volumes and surface areas of revolution; arc length; work; center of mass; separable differential equations;'
  ➜ Parsing at 6724: 'direction fields; growth and decay problems; and sequences. Calculus I is a prerequisite for this course.'

🔍 parse_program: starting at line 6724: 'direction fields; growth and decay problems; and sequences. Calculus I is a prerequisite for this course.'
  ➜ Title candidate: 'direction fields; growth and decay problems; and sequences. Calculus I is a prerequisite for this course.'
  ❌ Invalid title line: 'direction fields; growth and decay problems; and sequences. Calculus I is a prerequisite for this course.'
  ➜ Parsing at 6725: 'CUA1 - Culture - Focuses on the nature and role of culture and the importance of cultural groups and cultural identity.'

🔍 parse_program: starting at line 6725: 'CUA1 - Culture - Focuses on the nature and role of culture and the importance of cultural groups and cultural identity.'
  ➜ Title candidate: 'CUA1 - Culture - Focuses on the nature and role of culture and the importance of cultural groups and cultural identity.'
  ❌ Invalid title line: 'CUA1 - Culture - Focuses on the nature and role of culture and the importance of cultural groups and cultural identity.'
  ➜ Parsing at 6726: 'CWEL - Capstone Written Project in Educational Leadership - The capstone project will consist of the design and implementation of a short-term'

🔍 parse_program: starting at line 6726: 'CWEL - Capstone Written Project in Educational Leadership - The capstone project will consist of the design and implementation of a short-term'
  ➜ Title candidate: 'CWEL - Capstone Written Project in Educational Leadership - The capstone project will consist of the design and implementation of a short-term'
  ❌ Invalid title line: 'CWEL - Capstone Written Project in Educational Leadership - The capstone project will consist of the design and implementation of a short-term'
  ➜ Parsing at 6727: 'datadriven school improvement initiative. Through the case study approach and during the capstone experience, you will identify one or more'

🔍 parse_program: starting at line 6727: 'datadriven school improvement initiative. Through the case study approach and during the capstone experience, you will identify one or more'
  ➜ Title candidate: 'datadriven school improvement initiative. Through the case study approach and during the capstone experience, you will identify one or more'
  ❌ Invalid title line: 'datadriven school improvement initiative. Through the case study approach and during the capstone experience, you will identify one or more'
  ➜ Parsing at 6728: 'measurable outcome improvement areas in your case study / practicum site. You will propose and develop short-term school improvement initiatives'

🔍 parse_program: starting at line 6728: 'measurable outcome improvement areas in your case study / practicum site. You will propose and develop short-term school improvement initiatives'
  ➜ Title candidate: 'measurable outcome improvement areas in your case study / practicum site. You will propose and develop short-term school improvement initiatives'
  ❌ Invalid title line: 'measurable outcome improvement areas in your case study / practicum site. You will propose and develop short-term school improvement initiatives'
  ➜ Parsing at 6729: 'and will then measure the outcomes and results of your implemented improvement initiatives.'

🔍 parse_program: starting at line 6729: 'and will then measure the outcomes and results of your implemented improvement initiatives.'
  ➜ Title candidate: 'and will then measure the outcomes and results of your implemented improvement initiatives.'
  ❌ Invalid title line: 'and will then measure the outcomes and results of your implemented improvement initiatives.'
  ➜ Parsing at 6730: 'CZC1 - Accounting II - Accounting II is a continuation of the topics that were addressed in Accounting I. Accounting II focuses on ways in which'

🔍 parse_program: starting at line 6730: 'CZC1 - Accounting II - Accounting II is a continuation of the topics that were addressed in Accounting I. Accounting II focuses on ways in which'
  ➜ Title candidate: 'CZC1 - Accounting II - Accounting II is a continuation of the topics that were addressed in Accounting I. Accounting II focuses on ways in which'
  ❌ Invalid title line: 'CZC1 - Accounting II - Accounting II is a continuation of the topics that were addressed in Accounting I. Accounting II focuses on ways in which'
  ➜ Parsing at 6731: 'accounting principles are used in business operations, deepening the student's understanding of Generally Accepted Accounting Principles (GAAP),'

🔍 parse_program: starting at line 6731: 'accounting principles are used in business operations, deepening the student's understanding of Generally Accepted Accounting Principles (GAAP),'
  ➜ Title candidate: 'accounting principles are used in business operations, deepening the student's understanding of Generally Accepted Accounting Principles (GAAP),'
  ❌ Invalid title line: 'accounting principles are used in business operations, deepening the student's understanding of Generally Accepted Accounting Principles (GAAP),'
  ➜ Parsing at 6732: 'inventory, liabilities, and budgets. This course also introduces topics that are important for corporate accounting and financial analysis.'

🔍 parse_program: starting at line 6732: 'inventory, liabilities, and budgets. This course also introduces topics that are important for corporate accounting and financial analysis.'
  ➜ Title candidate: 'inventory, liabilities, and budgets. This course also introduces topics that are important for corporate accounting and financial analysis.'
  ❌ Invalid title line: 'inventory, liabilities, and budgets. This course also introduces topics that are important for corporate accounting and financial analysis.'
  ➜ Parsing at 6733: 'DPT1 - Physics: Electricity and Magnetism - Physics: Electricity and Magnetism addresses principles related to the physics of electricity and'

🔍 parse_program: starting at line 6733: 'DPT1 - Physics: Electricity and Magnetism - Physics: Electricity and Magnetism addresses principles related to the physics of electricity and'
  ➜ Title candidate: 'DPT1 - Physics: Electricity and Magnetism - Physics: Electricity and Magnetism addresses principles related to the physics of electricity and'
  ❌ Invalid title line: 'DPT1 - Physics: Electricity and Magnetism - Physics: Electricity and Magnetism addresses principles related to the physics of electricity and'
  ➜ Parsing at 6734: 'magnetism. Students will study electric and magnetic forces and then apply that knowledge to the study of circuits with resistors and electromagnetic'

🔍 parse_program: starting at line 6734: 'magnetism. Students will study electric and magnetic forces and then apply that knowledge to the study of circuits with resistors and electromagnetic'
  ➜ Title candidate: 'magnetism. Students will study electric and magnetic forces and then apply that knowledge to the study of circuits with resistors and electromagnetic'
  ❌ Invalid title line: 'magnetism. Students will study electric and magnetic forces and then apply that knowledge to the study of circuits with resistors and electromagnetic'
  ➜ Parsing at 6735: 'induction and waves, focusing on such topics as: Electric charge and electric field, electric currents and resistance, magnetism, electromagnetic'

🔍 parse_program: starting at line 6735: 'induction and waves, focusing on such topics as: Electric charge and electric field, electric currents and resistance, magnetism, electromagnetic'
  ➜ Title candidate: 'induction and waves, focusing on such topics as: Electric charge and electric field, electric currents and resistance, magnetism, electromagnetic'
  ❌ Invalid title line: 'induction and waves, focusing on such topics as: Electric charge and electric field, electric currents and resistance, magnetism, electromagnetic'
  ➜ Parsing at 6736: 'induction and Faraday's law, and Maxwell's equation and electromagnetic waves.'

🔍 parse_program: starting at line 6736: 'induction and Faraday's law, and Maxwell's equation and electromagnetic waves.'
  ➜ Title candidate: 'induction and Faraday's law, and Maxwell's equation and electromagnetic waves.'
  ❌ Invalid title line: 'induction and Faraday's law, and Maxwell's equation and electromagnetic waves.'
  ➜ Parsing at 6737: '© Western Governors University 7/19/17 171'

🔍 parse_program: starting at line 6737: '© Western Governors University 7/19/17 171'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'DPT2 - Physics: Electricity and Magnetism - Physics: Electricity and Magnetism addresses principles related to the physics of electricity and'
  ➜ Skipping stray line: 'magnetism. Students will study electric and magnetic forces and then apply that knowledge to the study of circuits with resistors and electromagnetic'
  ➜ Skipping stray line: 'induction and waves, focusing on such topics as: Electric charge and electric field, electric currents and resistance, magnetism, electromagnetic'
  ➜ Skipping stray line: 'induction and Faraday's law, and Maxwell's equation and electromagnetic waves.'
  ➜ Skipping stray line: 'DRC1 - Educational Assessment - Educational Assessment assists students in making appropriate data-driven instructional decisions by exploring'
  ➜ Skipping stray line: 'key concepts relevant to the administration, scoring, and interpretation of classroom assessments. Topics include ethical assessment practices,'
  ➜ Skipping stray line: 'designing assessments, aligning assessments, and utilizing technology for assessment.'
  ➜ Skipping stray line: 'DWP2 - Application of Elementary Social Studies Methods - Application of Elementary Social Studies Methods helps students learn how to'
  ➜ Skipping stray line: 'implement effective social studies instruction in the elementary classroom. Topics include social studies themes, promoting cultural diversity,'
  ➜ Skipping stray line: 'integrated social studies across the curriculum, social studies learning environments, assessing social studies understanding, differentiated instruction'
  ➜ Skipping stray line: 'for social studies, technology for social studies instruction, and standards-based social studies instruction. This course helps students to apply,'
  ➜ Skipping stray line: 'analyze, and reflect on effective elementary social studies instruction.'
  ➜ Skipping stray line: 'DZP2 - Application of Elementary Visual and Performing Arts Methods - Application of Elementary Visual and Performing Arts Methods helps'
  ➜ Skipping stray line: 'students learn how to implement effective visual and performing arts instruction in the elementary classroom. Topics include integrating arts across the'
  ➜ Skipping stray line: 'curriculum, music education, visual arts, dance and movement, dramatic arts, differentiated instruction for visual and performing arts, and promoting'
  ➜ Skipping stray line: 'cultural diversity through visual and performing arts instruction. This course helps students to apply, analyze, and reflect on effective elementary visual'
  ➜ Skipping stray line: 'and performing arts instruction.'
  ➜ Skipping stray line: 'EBP2 - Application of Elementary Physical Education and Health Methods - Applications of Elementary Physical Education and Health Methods'
  ➜ Skipping stray line: 'helps students learn how to implement effective physical and health education instruction in the elementary classroom. Topics include healthy'
  ➜ Skipping stray line: 'lifestyles, student safety, student nutrition, physical education, differentiated instruction for physical and health education, physical education across'
  ➜ Skipping stray line: 'the curriculum, and public policy in health and physical education. This course helps students to apply, analyze, and reflect on effective elementary'
  ➜ Skipping stray line: 'visual and performing arts instruction.'
  ➜ Skipping stray line: 'EFP1 - Cultural Studies and Diversity - Cultural Studies and Diversity focuses on the development of cultural awareness. Students will analyze the'
  ➜ Skipping stray line: 'role of culture in today’s world, develop culturally-responsive practices, and understand the barriers to and the benefits of diversity.'
  ➜ Skipping stray line: 'EFV1 - Behavioral Management and Intervention - Behavioral Management and Intervention explores the challenges of working with students with'
  ➜ Skipping stray line: 'emotional and behavioral disabilities and helps students learn about theories, interventions, practices, and assessments that can influence these'
  ➜ Skipping stray line: 'children's opportunities for success. It further helps students better be able to make decisions about how to strategize behavior'
  ➜ Skipping stray line: 'adjustments for individual students.'
  ➜ Skipping stray line: 'EFV2 - Behavioral Management and Intervention - Behavioral Management and Intervention explores the challenges of working with students with'
  ➜ Skipping stray line: 'emotional and behavioral disabilities and helps students learn about theories, interventions, practices, and assessments that can influence these'
  ➜ Skipping stray line: 'children's opportunities for success. It further helps students better be able to make decisions about how to strategize behavior adjustments for'
  ➜ Skipping stray line: 'individual students.'
  ➜ Skipping stray line: 'ELO1 - Subject Specific Pedagogy: ELL - Subject Specific Pedagogy: ELL integrates aspects of pedagogy, assessment, and professionalism in'
  ➜ Skipping stray line: 'English Language Learning (ELL). A student develops and assesses aspects of language curriculum development including second language'
  ➜ Skipping stray line: 'instruction, methods of second language assessment, and legal policy issues.'
  ➜ Skipping stray line: 'EST1 - Ethical Situations in Business - Ethical Situations in Business explores various scenarios in business and helps students learn to develop'
  ➜ Skipping stray line: 'ethical and socially responsible courses of action. Students will also learn to develop an appropriate and comprehensive ethics program for a business'
  ➜ Skipping stray line: 'venture.'
  ➜ Skipping stray line: 'EXP2 - College Geometry - College Geometry covers the knowledge and skills necessary to apply geometry to model and solve real-life problems, to'
  ➜ Skipping stray line: 'do formal axiomatic proofs in geometry, and to use dynamic technology to explore geometry. Topics include axiomatic systems and analytic proof;'
  ➜ Skipping stray line: 'non-Euclidean geometries; construction, analytic, and synthetic methods for investigating and proving properties and relationships of two- and three-'
  ➜ Skipping stray line: 'dimensional objects; geometric transformations, tessellations, and using inductive reasoning; concrete models; and dynamic technology to conduct'
  ➜ Skipping stray line: 'geometric investigations. College Algebra and Pre-Calculus are prerequisites for this course.'
  ➜ Skipping stray line: 'FCC1 - Introduction to Special Education, Law and Legal Issues - Introduction to Special Education, Law and Legal Issues introduces the history'
  ➜ Skipping stray line: 'and nature of special education and how it relates to general education, as well as specific legal acts and concepts governing it. Topics include history'
  ➜ Skipping stray line: 'of special education, the Individuals with Disabilities Education Act, the No Child Left Behind Act, FAPE (free, appropriate public education), and least'
  ➜ Skipping stray line: 'restrictive environments.'
  ➜ Skipping stray line: 'FCC2 - Introduction to Special Education, Law and Legal Issues, Policies and Procedures - Introduction to Special Education, Law and Legal'
  ➜ Skipping stray line: 'Issues, Policies and Procedures introduces the history and nature of special education and how it relates to general education, as well as specific'
  ➜ Skipping stray line: 'legal acts and concepts governing it. Topics include history of special education, the Individuals with Disabilities Education Act, the No Child Left'
  ➜ Skipping stray line: 'Behind Act, FAPE (free, appropriate public education), and least restrictive environments.'
  ➜ Skipping stray line: 'FEA1 - Field Experience for ELL - Field Experience for ELL is the field experience component of the English Language Learning program. In this'
  ➜ Skipping stray line: 'experience, students are required to complete a minimum of 15 hours of observations at both elementary and secondary levels. Additionally, a'
  ➜ Skipping stray line: 'supervised teaching experience that is face-to-face with English language learners according to the minimum time requirements of your state is'
  ➜ Skipping stray line: 'required. The purpose of this course is to assess the ability of the student including their engagement in field experience activities, ability to reflect on'
  ➜ Skipping stray line: 'and then plan standards-based instruction in ELL, and their ability to locate and effectively use resources for teaching ELL to meet the needs of their'
  ➜ Skipping stray line: 'individual students.'
  ➜ Skipping stray line: 'FJC1 - Psychoeducational Assessment Practices and IEP Development/Implementation - Psychoeducational Assessment Practices and IEP'
  ➜ Skipping stray line: 'Development/Implementation prepares students to apply knowledge the IEP as they work with students who have mild to moderate disabilities in a'
  ➜ Skipping stray line: 'wide variety of possible situations, all with an emphasis on cross-categorical inclusion. It helps students gain fluency in their understanding of the 13'
  ➜ Skipping stray line: 'disability categories, assessment, curriculum, and instruction.'
  ➜ Skipping stray line: 'FJC2 - Psychoeducational Assessment Practices and IEP Development/Implementation - Psychoeducational Assessment Practices and IEP'
  ➜ Skipping stray line: 'Development/Implementation prepares students to apply knowledge the IEP as they work with students who have mild to moderate disabilities in a'
  ➜ Skipping stray line: 'wide variety of possible situations, all with an emphasis on cross-categorical inclusion. It helps students gain fluency in their understanding of the 13'
  ➜ Skipping stray line: 'disability categories, assessment, curriculum, and instruction.'
  ➜ Skipping stray line: 'FLC1 - Instructional Models and Design, Supervision and Culturally Response Teaching - Instructional Models and Design, Supervision and'
  ➜ Skipping stray line: 'Culturally Response Teaching helps students understand the role of special education in the development of instruction, why this field exists separate'
  ➜ Skipping stray line: 'from and in conjunction with general education, where it is going, and how they can help coordinate inclusion for students. Students will gain expertise'
  ➜ Skipping stray line: 'in developing instructional, curricular, and environmental interventions based on assessment data and student need.'
  ➜ Skipping stray line: 'FLC2 - Instructional Models and Design, Supervision and Culturally Responsive Teaching - Instructional Models and Design, Supervision and'
  ➜ Skipping stray line: 'Culturally Responsive Teaching helps students understand the role of special education in the development of instruction, why this field exists'
  ➜ Skipping stray line: 'separate from and in conjunction with general education, where it is going, and how they can help coordinate inclusion for students. Students will gain'
  ➜ Skipping stray line: 'expertise in developing instructional, curricular, and environmental interventions based on assessment data and student need.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 172'
  ➜ Skipping stray line: 'FVC1 - Global Business - This course provides an introduction to global business. The advantages of global production and the benefits of trade are'
  ➜ Skipping stray line: 'critical aspects of global business. Many factors influence global business, such as transparency, geography, corruption, intellectual property'
  ➜ Skipping stray line: 'protections, outsourcing and off-shoring, operation management, and generally accepted accounting principles.'
  ➜ Skipping stray line: 'FXT2 - Disaster Recovery Planning, Prevention and Response - This course prepares students to plan and execute industry best practices related'
  ➜ Skipping stray line: 'to conducting organization-wide information assurance initiatives and to preparing an organization for implementing a comprehensive Information'
  ➜ Skipping stray line: 'Assurance Management program.'
  ➜ Skipping stray line: 'HMP1 - Cases in Advanced Human Resource Management - During Cases in Advanced Human Resource Management students apply their'
  ➜ Skipping stray line: 'knowledge of human resource management by completing a case study. Students will apply critical human resource strategies in the areas of'
  ➜ Skipping stray line: 'legal/regulatory compliance, recruitment and selection of personnel, performance and feedback mechanisms, and financial and benefits'
  ➜ Skipping stray line: 'compensation.'
  ➜ Skipping stray line: 'IDC1 - Foundations of Instructional Design - Foundations of Instructional Design provides an overview of how to select the most appropriate'
  ➜ Skipping stray line: 'learning theories, design processes, and instructional strategies based on learner audience, instructional setting, and current and desired state of'
  ➜ Skipping stray line: 'learning.'
  ➜ Skipping stray line: 'IYT2 - Introduction to Curriculum Theory - For over 200 years, educators in the United States have debated the purpose of education. Should'
  ➜ Skipping stray line: 'education be for enlightenment or to prepare students for the life of work? Should education be for many or for a select few? These questions continue'
  ➜ Skipping stray line: 'to be debated today. Through curriculum theory and reflection, educators have an educational framework by which to understand how theory and'
  ➜ Skipping stray line: 'one's philosophical views can impact the design, development, and implementation of curriculum and instruction. With this in mind, Introduction to'
  ➜ Skipping stray line: 'Curriculum Theory focuses on exploring and applying an understanding of Scholar Academic, Social Efficiency, Learner Centered, and Social'
  ➜ Skipping stray line: 'Reconstruction ideologies in various instructional settings and on the development on one’s own curriculum philosophy.'
  ➜ Skipping stray line: 'IZT2 - Learning Theories - Learning Theories focuses on the complexity of the current learning environment and how behaviorism, cognitivism,'
  ➜ Skipping stray line: 'constructivism, and personal learning philosophy can assist in the development of appropriate curriculum and instruction.'
  ➜ Skipping stray line: 'JIT2 - Risk Management - Content focuses on categorizing levels of risk and understanding how risk can impact the operations of the business'
  ➜ Skipping stray line: 'through a scenario involving the creation of a risk management program and business continuity program for a company and a business situation'
  ➜ Skipping stray line: 'reacting to a crisis/disaster situation affecting the company.'
  ➜ Skipping stray line: 'JNT2 - Instructional Design Analysis - Instructional Design Analysis focuses on using analysis of needs to determine the needs and interests of'
  ➜ Skipping stray line: 'learners, and scope and sequence for developing a logical approach for an education program to formulate appropriate and measurable program'
  ➜ Skipping stray line: 'objectives.'
  ➜ Skipping stray line: 'JOT2 - Issues in Instructional Design - Issues in Instructional Design focuses on learning theories, learner analysis, scope and sequence,'
  ➜ Skipping stray line: 'instructional strategies, task analysis and design theories, media and technology foundations, and adaptive technologies for special populations for'
  ➜ Skipping stray line: 'creating effective, well-articulated, and efficient instruction.'
  ➜ Skipping stray line: 'JPT2 - Instructional Design Production - Instructional Design Production focuses on the application of a systematic process of instructional design,'
  ➜ Skipping stray line: 'namely the concepts and procedure for analyzing and designing successful instruction. This course will prepare students to conduct a goal analysis, a'
  ➜ Skipping stray line: 'process used to identify instructional goals, as well as a task analysis, which is used to determine the skills and knowledge required to accomplish'
  ➜ Skipping stray line: 'those goals. This course also focuses on writing performance objectives, designing assessments, and developing instruction that incorporates relevant'
  ➜ Skipping stray line: 'learning theories. Methods for formatively evaluating a unit of instruction are also introduced. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'JQT2 - Issues in Measurement and Evaluation - Issues in Measurement and Evaluation focuses on the understanding of formative and summative'
  ➜ Skipping stray line: 'evaluation, quantitative and qualitative data collection tools, including rubrics and the processes of evaluation.'
  ➜ Skipping stray line: 'JRT2 - Evaluation Methodology and Instrumentation - Evaluation Methodology and Instrumentation focuses on using qualitative and quantitative'
  ➜ Skipping stray line: 'data collection tools and techniques to construct and evaluate valid and reliable measuring instruments.'
  ➜ Skipping stray line: 'JST2 - Evaluation Process and Recommendation - Evaluation Process and Recommendation focuses on implementing and interpreting an'
  ➜ Skipping stray line: 'evaluation and the reporting of the results and recommendations to stakeholders.'
  ➜ Skipping stray line: 'JWT2 - Instructional Theory - Instructional Theory focuses on exploring instructional design theory and related models and processes. Students will'
  ➜ Skipping stray line: 'apply instructional design principles to the design and delivery of plans to meet the learning needs found in the instructional setting.'
  ➜ Skipping stray line: 'JXT2 - Educational Psychology - Educational Psychology examines the latest findings in child and adolescent development and provides educators'
  ➜ Skipping stray line: 'the opportunity to apply educational psychology to various instructional settings. Students will explore the areas of applied educational psychology to'
  ➜ Skipping stray line: 'teaching, cognitive development, social development, and cultural development. They will design, develop, modify, and evaluate curriculum and'
  ➜ Skipping stray line: 'instruction in various educational settings according to child/adolescent development.'
  ➜ Skipping stray line: 'JYT2 - Curriculum Design - Curriculum Design focuses on exploring curriculum design theory, educational standards, and design frameworks for'
  ➜ Skipping stray line: 'what to teach. Together these topics will provide educators with the ability to take principles of curriculum design theory and related models and apply'
  ➜ Skipping stray line: 'them when developing, designing, and modifying curriculum to meet learning needs in their instructional setting.'
  ➜ Skipping stray line: 'JZT2 - Curriculum Evaluation - Curriculum Evaluation focuses on exploring evaluation systems and student data to determine the effectiveness of'
  ➜ Skipping stray line: 'curriculum. It also focuses on differentiating curriculum based on student data.'
  ➜ Skipping stray line: 'KAT2 - Assessment for Student Learning - Assessment for Student Learning focuses on developing the knowledge and skills to identify, develop,'
  ➜ Skipping stray line: 'and design instrument tools for evaluating student learning. It also explores the use of objective and performance-based, formative, and summative'
  ➜ Skipping stray line: 'assessments and their results in the evaluation of curriculum and instruction for student learning.'
  ➜ Skipping stray line: 'KBT2 - Differentiated Instruction - Differentiated Instruction focuses on developing and implementing curriculum and instruction that that best meets'
  ➜ Skipping stray line: 'the needs of all learners within a given instructional setting.'
  ➜ Skipping stray line: 'LEC1 - Comprehensive Educational Leadership Integration - You will complete a comprehensive objective proctored assessment in Educational'
  ➜ Skipping stray line: 'Leadership theory and practices, including administrative theory, school law, school finance, curriculum development and implementation, personnel'
  ➜ Skipping stray line: 'management, public relations, and technology. You will be required to pass the Comprehensive Educational Leadership Integration objective'
  ➜ Skipping stray line: 'assessment.'
  ➜ Skipping stray line: 'LFT1 - Student, Stakeholder, and Market Focus for Educational Leaders - This subdomain reviews principles and practices of meeting'
  ➜ Skipping stray line: 'stakeholder needs and reviews your case study site’s effectiveness in managing stakeholder relationships.'
  ➜ Skipping stray line: 'LMT1 - Measurement, Analysis, and Knowledge Management for Educational Leaders - This subdomain reviews principles and practices of'
  ➜ Skipping stray line: 'program and curriculum effectiveness evaluation as well as best practices in technology for educational leaders. You also complete a program,'
  ➜ Skipping stray line: 'practice, or curriculum effectiveness evaluation in your case study site as well as an evaluation of technology implementation.'
  ➜ Skipping stray line: 'LNT1 - Process Management for Educational Leaders - This subdomain reviews best practices in process management for educational leaders, as'
  ➜ Skipping stray line: 'well as an evaluation of your case study site’s process management policies and practices.'
  ➜ Skipping stray line: 'LPA1 - Language Production, Theory and Acquisition - Language Production, Theory and Acquisition focuses on describing and understanding'
  ➜ Skipping stray line: 'language and the development of language. It includes the study of acquisition theory, grammar, and applied phonetics.'
  ➜ Skipping stray line: 'LPT1 - Performance Excellence Criteria for Educational Leaders - This subdomain reviews the case study model and prepares you to complete a'
  ➜ Skipping stray line: 'thorough review of the effectiveness of their case study site’s operations, outcomes, and leadership.'
  ➜ Skipping stray line: 'LQT2 - Information Security and Assurance Capstone Project - Students will be able to choose from three areas of emphasis, depending on'
  ➜ Skipping stray line: 'personal and professional interests. Students will complete a capstone project that deals with a significant real-world business problem that further'
  ➜ Skipping stray line: 'integrates the components of the degree. Capstone projects will require an oral defense before a committee of WGU faculty.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 173'
  ➜ Skipping stray line: 'LRT1 - Practicum in Educational Leadership - Foundational Perspectives of Education includes a series of performance tasks to take place under'
  ➜ Skipping stray line: 'the leadership of a practicing state licensed school principal or assistant principal in a practicum school site (K–12). This assessment also includes'
  ➜ Skipping stray line: 'completion of assigned administrative duties to take place in both elementary (K–6) and secondary (7–12) settings under the leadership and'
  ➜ Skipping stray line: 'supervision of the cooperating administrator in your case study school site. Practicum requirements vary by state of intended licensure and WGU'
  ➜ Skipping stray line: 'program requirements, and the standard has been set between 275 and 540 of logged practicum activities that span a minimum of six consecutive'
  ➜ Skipping stray line: 'months. Please refer back to the WGU Student Handbook for reference of your program requirements. You are required to pass the Practicum in'
  ➜ Skipping stray line: 'Educational Leadership performance assessments and successfully submit other documentation, including evaluations of your performance'
  ➜ Skipping stray line: 'completed by the cooperating administrator and documentation of completion of state-required hours of assigned administrative duties. The'
  ➜ Skipping stray line: 'Educational Leadership Practicum requires a practicum fee. During the Educational Leadership Practicum, you are also expected to take and pass'
  ➜ Skipping stray line: 'your state's licensure examination(s) required for certification as a school principal and the PRAXIS 5411 Educational Leadership: Administration and'
  ➜ Skipping stray line: 'Supervision exam.'
  ➜ Skipping stray line: 'LST1 - Strategic Planning for Educational Leaders - This subdomain reviews principles and practices of the strategic planning process as well as a'
  ➜ Skipping stray line: 'case study review of the strategic planning processes in your case study site.'
  ➜ Skipping stray line: 'LWT1 - Workforce Focus for Educational Leaders - This subdomain reviews best practices in human resource administration for educational'
  ➜ Skipping stray line: 'leaders, as well as an evaluation of your case study site’s workforce management practices.'
  ➜ Skipping stray line: 'LZT2 - Power, Influence and Leadership - This course focuses on the development of the critical leadership and soft skills necessary for success in'
  ➜ Skipping stray line: 'information technology leadership and management. The course focuses specifically on skills such as cultivating effective leadership communication,'
  ➜ Skipping stray line: 'building personal influence, enhancing emotional intelligence (soft skills), generating ideas and encouraging idea generation in others, conflict'
  ➜ Skipping stray line: 'resolution, and positioning oneself as an influential change agent within different organizational cultures.'
  ➜ Skipping stray line: 'MAT2 - Information Technology Management - This course will prepare students to cope with information technology resources in a manner'
  ➜ Skipping stray line: 'beneficial to their company. Such skill includes estimating both the cost and value of IT to the company, setting priorities for project selection,'
  ➜ Skipping stray line: 'management of IT projects, and handling risk. These responsibilities imply an ability to align technology with an organization’s strategic goals. In total,'
  ➜ Skipping stray line: 'students will develop the ability to effectively administer and manage current and emerging technologies within an organization.'
  ➜ Skipping stray line: 'MBT2 - Technological Globalization - This course is designed to equip students to better understand the fundamental, galvanizing and'
  ➜ Skipping stray line: 'transformational role of advanced IT communications, networks and services in all major industries; advanced IT is an unparalleled force multiplier in'
  ➜ Skipping stray line: 'scientific research, energy production and use, health and medicine. IT is a critical resource in the global community, economically, socially, politically'
  ➜ Skipping stray line: 'and culturally.'
  ➜ Skipping stray line: 'MCT2 - Technical Writing - As IT professionals are frequently required to interface with customers, clients, other departments, organizational leaders,'
  ➜ Skipping stray line: 'and even other institutions, strong communication skills are vital. In this course, students learn to communicate accurately, effectively, and ethically to'
  ➜ Skipping stray line: 'a variety of audiences. Students design communication to fit oral, print, and multi-media contexts. They develop rhetorical sensitivity in both their'
  ➜ Skipping stray line: 'writing and their design decisions.'
  ➜ Skipping stray line: 'MEC1 - Foundations of Measurement and Evaluation - Foundations of Measurement and Evaluation focuses on assessment validity, constructing'
  ➜ Skipping stray line: 'reliable test instruments, identifying appropriate item and instrument types, qualitative data collection tools and techniques, and conducting a formative'
  ➜ Skipping stray line: 'and summative evaluation for an instruction product or program.'
  ➜ Skipping stray line: 'MFT2 - Mathematics (K-6) Portfolio Oral Defense - Mathematics (K-6) Portfolio Oral Defense: Mathematics (K-6) Portfolio Defense focuses on a'
  ➜ Skipping stray line: 'formal presentation. The student will present an overview of their teacher work sample (TWS) portfolio discussing the challenges they faced and how'
  ➜ Skipping stray line: 'they determined whether their goals were accomplished. They will explain the process they went through to develop the TWS portfolio and reflect on'
  ➜ Skipping stray line: 'the methodologies and outcomes of the strategies discussed in the TWS portfolio. Additionally, they will discuss the strengths and weaknesses of'
  ➜ Skipping stray line: 'those strategies and how they can apply what they learned from the TWS portfolio in their professional work environment.'
  ➜ Skipping stray line: 'MGT2 - IT Project Management - IT Project Management provides an overview of the Project Management Institute’s project management'
  ➜ Skipping stray line: 'methodology. Topics cover various process groups and knowledge areas and application of knowledge in case studies for planning a project that has'
  ➜ Skipping stray line: 'not started yet and monitoring/controlling a project that is already underway.'
  ➜ Skipping stray line: 'MMT2 - IT Strategic Solutions - In IT Strategic Solutions the learner will have the opportunity to identify strategic opportunities and emerging'
  ➜ Skipping stray line: 'technologies as they research and decide on a system to support a growing company. Topics will include technology strategy; gap analysis;'
  ➜ Skipping stray line: 'researching new technology; strengths, opportunities, weaknesses, and threats; ethics; risk mitigation; data security, communication plans; and'
  ➜ Skipping stray line: 'globalization.'
  ➜ Skipping stray line: 'NHC1 - Introduction to Instructional Planning and Presentation - Students will develop a basic understanding of effective instructional principles'
  ➜ Skipping stray line: 'and how to differentiate instruction in order to elicit powerful teaching in the classroom.'
  ➜ Skipping stray line: 'NMA1 - Professional Role of the ELL Teacher - The Professional Role of the ELL Teacher focuses on issues of professionalism for the English'
  ➜ Skipping stray line: 'Language Learning teacher and leader. This includes program development, ethics, engagement in professional organizations, serving as a resource,'
  ➜ Skipping stray line: 'and ELL advocacy.'
  ➜ Skipping stray line: 'NNA1 - Planning, Implementing, Managing Instruction - Planning, Implementing, Managing Instruction focuses on a variety of philosophies and'
  ➜ Skipping stray line: 'grade levels of English Language Learner (ELL) instruction. It includes the study of ELL listening and speaking, ELL reading and writing, specially'
  ➜ Skipping stray line: 'designed academic instruction in English (SDAIE), and specific issues for various grade level instruction.'
  ➜ Skipping stray line: 'OOT2 - Mathematics History and Technology - Mathematics History and Technology introduces a variety of technological tools for doing'
  ➜ Skipping stray line: 'mathematics, and you will develop a broad understanding of the historical development of mathematics. You will come to understand that'
  ➜ Skipping stray line: 'mathematics is a very human subject that comes from the macro-level sweep of cultural and societal change, as well as the micro-level actions of'
  ➜ Skipping stray line: 'individuals with personal, professional, and philosophical motivations. Most importantly, you will learn to evaluate and apply technological tools and'
  ➜ Skipping stray line: 'historical information to create an enriching student-centered mathematical learning environment. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'OPT2 - Mathematics Learning and Teaching - Mathematics Learning and Teaching will help you develop the knowledge and skills necessary to'
  ➜ Skipping stray line: 'become a prospective and practicing educator. You will be able to use a variety of instructional strategies to effectively facilitate the learning of'
  ➜ Skipping stray line: 'mathematics. This course focuses on selecting appropriate resources, using multiple strategies, and instructional planning, with methods based on'
  ➜ Skipping stray line: 'research and problem solving. A deep understanding of the knowledge, skills, and disposition of mathematics pedagogy is necessary to become an'
  ➜ Skipping stray line: 'effective secondary mathematics educator. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'PFHM - Business - HR Management Portfolio Requirement - Students prepare a culminating professional portfolio to demonstrate the'
  ➜ Skipping stray line: 'competencies they have learned throughout their program. The portfolio includes a strengths essay, a career report, a reflection essay, a résumé, and'
  ➜ Skipping stray line: 'exhibits demonstrating personal strengths in the work place.'
  ➜ Skipping stray line: 'PFIT - Business - IT Management Portfolio Requirement - Business - IT Management Portfolio Requirement is designed to help the learner'
  ➜ Skipping stray line: 'complete the culminating Undergraduate Business Portfolio assessment; it focuses on developing a business portfolio containing a strengths essay, a'
  ➜ Skipping stray line: 'career report, a reflection essay, a resume, and exhibits that support one’s strengths in the work place.'
  ➜ Skipping stray line: 'QDT1 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'
  ➜ Skipping stray line: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'
  ➜ Skipping stray line: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'
  ➜ Skipping stray line: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'
  ➜ Skipping stray line: 'Algebra is a prerequisite for this course.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 174'
  ➜ Skipping stray line: 'QDT2 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'
  ➜ Skipping stray line: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'
  ➜ Skipping stray line: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'
  ➜ Skipping stray line: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'
  ➜ Skipping stray line: 'Algebra is a prerequisite for this course.'
  ➜ Skipping stray line: 'QET1 - Business - HR Management Capstone Project - For the Business - HR Management Capstone Project students will integrate and'
  ➜ Skipping stray line: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ➜ Skipping stray line: 'professional field. A comprehensive business plan is developed for a company that offers HR products or services. The business plan includes a'
  ➜ Skipping stray line: 'market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ➜ Skipping stray line: 'QFT1 - Business - IT Management Capstone Project - The capstone requires students to demonstrate the integration and synthesis of'
  ➜ Skipping stray line: 'competencies in all domains required for the degree in Information Technology Management. The student produces a business plan for a start-up'
  ➜ Skipping stray line: 'company that is selected and approved by the student and mentor.'
  ➜ Skipping stray line: 'QGT1 - Business Management Capstone Written Project - For the Business Management Capstone Written Project students will integrate and'
  ➜ Skipping stray line: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ➜ Skipping stray line: 'professional field. A comprehensive business plan is developed for a company that plans to sell a product or service in a local market, national'
  ➜ Skipping stray line: 'market, or on the Internet. The business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to'
  ➜ Skipping stray line: 'the chosen company.'
  ➜ Skipping stray line: 'QHT1 - Business Management Tasks - Business Management Tasks addresses important concepts needed to effectively manage a'
  ➜ Skipping stray line: 'business. Topics include the cost-quality relationship, the use of various types of graphical charts in operations management, managing innovation,'
  ➜ Skipping stray line: 'and developing strategies for working with individuals and groups.'
  ➜ Skipping stray line: 'QIT1 - Business Marketing Management Capstone Written Project - For the Business Marketing Management Capstone Project students will'
  ➜ Skipping stray line: 'integrate and synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their'
  ➜ Skipping stray line: 'chosen professional field. A comprehensive business plan is developed for a company that provides some type of marketing product or service. The'
  ➜ Skipping stray line: 'business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ➜ Skipping stray line: 'QJT2 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to use'
  ➜ Skipping stray line: 'differential calculus of one variable and appropriate technology to solve basic problems. Topics include graphing functions and finding their domains'
  ➜ Skipping stray line: 'and ranges; limits, continuity, differentiability, visual, analytical, and conceptual approaches to the definition of the derivative; the power, chain, and'
  ➜ Skipping stray line: 'sum rules applied to polynomial and exponential functions, position and velocity; and L'Hopital's Rule. Candidates should have completed a course in'
  ➜ Skipping stray line: 'Pre-Calculus before engaging in this course.'
  ➜ Skipping stray line: 'QTT2 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ➜ Skipping stray line: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ➜ Skipping stray line: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ➜ Skipping stray line: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'RKT1 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ➜ Skipping stray line: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ➜ Skipping stray line: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ➜ Skipping stray line: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ➜ Skipping stray line: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ➜ Skipping stray line: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'RKT2 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ➜ Skipping stray line: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ➜ Skipping stray line: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ➜ Skipping stray line: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ➜ Skipping stray line: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ➜ Skipping stray line: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'RNT1 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ➜ Skipping stray line: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ➜ Skipping stray line: 'RNT2 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ➜ Skipping stray line: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ➜ Skipping stray line: 'RXT2 - Precalculus and Calculus - Precalculus and Calculus provides instruction in precalculus and calculus and applies them to examples found in'
  ➜ Skipping stray line: 'both mathematics and science. Topics in precalculus include principles of trigonometry, mathematical modeling, and logarithmic, exponential,'
  ➜ Skipping stray line: 'polynomial, and rational functions. Topics in calculus include conceptual knowledge of limit, continuity, differentiability, and integration.'
  ➜ Skipping stray line: 'SJT2 - Advanced Networking Technology - This course prepares students to support the ever growing interconnectivity needs of organizations.'
  ➜ Skipping stray line: 'Students will learn about advanced networking concepts, devices and strategies to provide superior network connectivity to organizations. A review of'
  ➜ Skipping stray line: 'common yet critical network devices and technologies will be provided such as switches, routers, hubs, firewalls, T-1s, ATM, fiber and others.'
  ➜ Skipping stray line: 'Students will also be prepared to review existing network environments and provide specifications to upgrade and enhance such networks.'
  ➜ Skipping stray line: 'SLO1 - Theories of Second Language Acquisition and Grammar - Theories of Second Language Learning Acquisition and Grammar covers'
  ➜ Skipping stray line: 'content material in applied linguistics, including morphology, syntax, semantics, and grammar. Students will explore the role of dialect in the'
  ➜ Skipping stray line: 'classroom, the connections between language and culture, and the theories of first and second language acquisition.'
  ➜ Skipping stray line: 'TAT2 - Technology Production - Technology Production focuses on the foundations of media and technology, integrated technology development,'
  ➜ Skipping stray line: 'and the integration of technology into appropriate instructional uses of productivity, and applying different research applications in the learning'
  ➜ Skipping stray line: 'environment.'
  ➜ Skipping stray line: 'TDT1 - Technology Design Portfolio - Technology Design Portfolio focuses on gaining a broad overview of the field of technology integration with a'
  ➜ Skipping stray line: 'fundamental understanding of some key concepts and principles, and enhancing technology skills to enable the producing of exportable instructional'
  ➜ Skipping stray line: 'and professional products using various integrated application programs.'
  ➜ Skipping stray line: 'TET1 - Issues in Technology Integration - Issues in Technology Integration focuses on the legal and ethical practice of technology, some personal'
  ➜ Skipping stray line: 'uses of electronic resources, the need for protection of information, the foundations of media and technology, what electronic learning communities'
  ➜ Skipping stray line: 'are, and the adaptive technologies for special populations.'
  ➜ Skipping stray line: 'TFT2 - Cyberlaw, Regulations, and Compliance - Cyberlaw, Regulations and Compliance prepares students to participate in legal analysis of'
  ➜ Skipping stray line: 'relevant cyberlaws and address governance, standards, policies, and legislation. Students will conduct a security risk analysis for an enterprise'
  ➜ Skipping stray line: 'system. In addition, students will determine cyber requirements for third‐party vendor agreements. Students will also evaluate provisions of both the'
  ➜ Skipping stray line: '2001 and 2006 USA PATRIOT Acts.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 175'
  ➜ Skipping stray line: 'TOC2 - Probability and Statistics I - Probability and Statistics I covers the knowledge and skills necessary to apply basic probability, descriptive'
  ➜ Skipping stray line: 'statistics, and statistical reasoning, and to use appropriate technology to model and solve real-life problems. It provides an introduction to the science'
  ➜ Skipping stray line: 'of collecting, processing, analyzing, and interpreting data. Topics include creating and interpreting numerical summaries and visual displays of data;'
  ➜ Skipping stray line: 'regression lines and correlation; evaluating sampling methods and their effect on possible conclusions; designing observational studies, controlled'
  ➜ Skipping stray line: 'experiments, and surveys; and determining probabilities using simulations, diagrams, and probability rules. College Algebra is a prerequisite for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'TQC1 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Skipping stray line: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Skipping stray line: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Skipping stray line: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Skipping stray line: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Skipping stray line: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Skipping stray line: 'TQC2 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Skipping stray line: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Skipping stray line: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Skipping stray line: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Skipping stray line: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Skipping stray line: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Skipping stray line: 'TSC2 - General Chemistry I - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Skipping stray line: 'solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic table and chemical'
  ➜ Skipping stray line: 'nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work focuses on using'
  ➜ Skipping stray line: 'effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TSP1 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Skipping stray line: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Skipping stray line: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TSP2 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Skipping stray line: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Skipping stray line: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TUC2 - General Chemistry II - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Skipping stray line: 'solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models, oxidation-reduction'
  ➜ Skipping stray line: 'reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on using effective'
  ➜ Skipping stray line: 'laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TUP1 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Skipping stray line: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Skipping stray line: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TUP2 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Skipping stray line: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Skipping stray line: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TVT2 - Governance, Finance, Law, and Leadership for Principals - This subdomain contains content in educational law, finance, and'
  ➜ Skipping stray line: 'administration as well as a case study review of your site’s leadership practices.'
  ➜ Skipping stray line: 'UFC1 - Managerial Accounting - This course focuses on identifying, gathering, and interpreting information that will be used for evaluating and'
  ➜ Skipping stray line: 'managing the performance of a business. Students will also study cost measurement for producing goods and services and how to analyze and'
  ➜ Skipping stray line: 'control these costs.'
  ➜ Skipping stray line: 'UQT1 - Organic Chemistry - This course focuses on the study of compounds that contain carbon, much of which is learning how to organize and'
  ➜ Skipping stray line: 'group these compounds based on common bonds found within them in order to predict their structure, behavior, and reactivity.'
  ➜ Skipping stray line: 'VLT2 - Security Policies and Standards - Best Practices - This course focuses on the practices of planning and implementing organization-wide'
  ➜ Skipping stray line: 'security and assurance initiatives as well as auditing assurance processes.'
  ➜ Skipping stray line: 'VYC1 - Principles of Accounting - Principles of Accounting focuses on ways in which accounting principles are used in business operations.'
  ➜ Skipping stray line: 'Students will learn about the basics of accounting, including how to use Generally Accepted Accounting Principles (GAAP), ledgers, and journals.'
  ➜ Skipping stray line: 'Students will also be introduced to the steps of the accounting cycle, concepts of assets and liabilities, and general information about accounting'
  ➜ Skipping stray line: 'information systems. This course also presents bank reconciliation methods, balance sheets, and business ethics.'
  ➜ Skipping stray line: 'VZT1 - Marketing Applications - Marketing Applications allows students to apply their knowledge of core marketing principles by creating a'
  ➜ Skipping stray line: 'comprehensive marketing plan. Their plan will apply their knowledge of the marketing planning process, market analysis, and the marketing mix'
  ➜ Skipping stray line: '(product, place, promotion, and price).'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 176'
  ➜ Skipping stray line: 'Course Mentor Directory'
  ➜ Skipping stray line: 'General Education'
  ➜ Skipping stray line: 'Adams, William; M.A., Savanah College of Art and Design'
  ➜ Skipping stray line: 'Aguirre, Jennifer; M.S., Walden University'
  ➜ Skipping stray line: 'Akens, Jonne; Ph. D., Texas A&M University'
  ➜ Skipping stray line: 'Alexander, Ledora; Ed.S., Walden University'
  ➜ Skipping stray line: 'Ashe, James; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Barnes, Lauri; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Baty, Amanda; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Benson, Bryan; Ph.D., Boston College'
  ➜ Skipping stray line: 'Bilbrey, Joshua; Ph.D., Texas State University'
  ➜ Skipping stray line: 'Borden, Anne; Ph.D., Emory University'
  ➜ Skipping stray line: 'Brewer, Craig: Ph.D., University of Notre Dame'
  ➜ Skipping stray line: 'Brown, Bonnie; Ph.D., Stephen F. Austin State University'
  ➜ Skipping stray line: 'Browning, Ellen; Ph.D., University of Texas, Arlington'
  ➜ Skipping stray line: 'Buchanan, Tenielle; Ed.D., Lipscomb University'
  ➜ Skipping stray line: 'Byrnes, Sean; Ph.D., Emory University'
  ➜ Skipping stray line: 'Carmona, Karla; M.S., Western Governors University'
  ➜ Skipping stray line: 'Castaneda, Gilivaldo; M.Ed., University of Texas at San Antonio'
  ➜ Skipping stray line: 'Chaves Ulloa, Ramsa; Ph.D., Dartmouth College'
  ➜ Skipping stray line: 'Chittick, Sharla; Ph.D., University of Stirling'
  ➜ Skipping stray line: 'Condit, Lorna; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Cowan, Christy; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Crawford, Nathan; Ph.D., University of Tennessee-Knoxville'
  ➜ Skipping stray line: 'Crooks, Kathleen; Ph.D., University of Akron'
  ➜ Skipping stray line: 'Cross, Cameron; M.S., Kaplan University'
  ➜ Skipping stray line: 'Cureton, Sara; M.A., Gonzaga Univeristy'
  ➜ Skipping stray line: 'Cutler, Ned; Ph.D., Duke University'
  ➜ Skipping stray line: 'Dodge, Joshua; M.A., University of Central Florida'
  ➜ Skipping stray line: 'Dorre, Gina; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Douglas, Katherine; M.A., University of California, San Diego'
  ➜ Skipping stray line: 'Duff, Kandi; Ed.D., Idaho State University'
  ➜ Skipping stray line: 'Dungar, Michael; MA, Boston College'
  ➜ Skipping stray line: 'Edmunds, Jeffrey; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Evans, Robin; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Evenson Newhouse, Ranae; Ph.D., Vanderbilt University'
  ➜ Skipping stray line: 'Faucett, Jessica; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Fehnel, Bradley; M.S., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Fellow, Jill; M.S., Brigham Young University'
  ➜ Skipping stray line: 'Franco, Heidi; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Frusciante, Denise; Ph.D., University of Miami'
  ➜ Skipping stray line: 'Galindez, Dahlia; MA, Western Governors University'
  ➜ Skipping stray line: 'Gangaram, Jitendra; Ph.D., North Central University'
  ➜ Skipping stray line: 'Garrett, Janette; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Goodwin, Rachel; Ph.D., University of Texas'
  ➜ Skipping stray line: 'Gordon, Kelley; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Gravitte, Kristen; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Gradzielewski, Andrew; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Halula, Stephen; Ph.D., Marquette University'
  ➜ Skipping stray line: 'Harris, Steven; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Hartwick, Andromeda; Ph.D., University of Michigan'
  ➜ Skipping stray line: 'Hayne, Victoria; Ph.D., University of California - Los Angeles'
  ➜ Skipping stray line: 'Hernandez, Ali; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Hillyer, Aaron; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Horne, Lisa; M.A., Brigham Young University'
  ➜ Skipping stray line: 'Hurley, Norman; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Jensen, Taylor; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Johnson, Stephanie; MBA, Lindenwood University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 177'
  ➜ Skipping stray line: 'Jones, Lee; Ph.D., Clark Atlanta University'
  ➜ Skipping stray line: 'Kelley, Matthew; Ph.D., University of Nevada-Las Vegas'
  ➜ Skipping stray line: 'Kelly, Lynn; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Knieps, Linda; Ph.D., Vanderbilt University'
  ➜ Skipping stray line: 'Knous, Helen; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Landry, Stan; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Latham, Kary; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Lauren, Jennifer; Ph.D., Duquesne University'
  ➜ Skipping stray line: 'Leep, Matthew; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Lettau, Lisa; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Little, David; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Lukin, Kara; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Main, Daniel; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Mammen, John; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Mantooth, Stacy; Ph. D., University of Nevada – Las Vegas'
  ➜ Skipping stray line: 'Martin, Jonathan; M.A., West Virginia University'
  ➜ Skipping stray line: 'Mays, Ashley; Ph.D., University of North Carolina at Chapel Hill'
  ➜ Skipping stray line: 'McCune, Timothy; Ph.D., Youngstown State University'
  ➜ Skipping stray line: 'McWatters, Mason; Ph.D., University of Texas at Austin'
  ➜ Skipping stray line: 'Metoki, Kiyoko; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Meyer, Nicholas; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Miller, Don; Ph.D., Morehouse School of Medicine'
  ➜ Skipping stray line: 'Miller, Kathleen; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Moody, Vivian; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Mosgrove, Sharon; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Moss, Meg; Ph.D., University of Tennessee-Knoxville'
  ➜ Skipping stray line: 'Mzoughi, Taha; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Nelson, Angela; Ph.D., Cornell University'
  ➜ Skipping stray line: 'Nicley, Erinn; M.S., Florida State University'
  ➜ Skipping stray line: 'Norton, Cindy; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Olson, Nels; Ph.D., Michigan State University'
  ➜ Skipping stray line: 'Oulette, David; Ph.D., Virginia Commonwealth University'
  ➜ Skipping stray line: 'Palmer, Michael; M.F.A., University of Utah'
  ➜ Skipping stray line: 'Pankowski, Peg; Ed.D., Duquesne University'
  ➜ Skipping stray line: 'Parrish, Anca; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Parton, Sabrena; Ph.D., University of Southern Mississippi'
  ➜ Skipping stray line: 'Parvin, Kathleen; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Peppers, Shelitha; Ed.D., Maryville University'
  ➜ Skipping stray line: 'Perkins, Heidi; M.S., Excelsior College'
  ➜ Skipping stray line: 'Phillips, Dedra; M.A., Colorado Technical University'
  ➜ Skipping stray line: 'Potter, Christine; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Quintela, Melissa; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Radosavljevic, Alexander; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Redden, Cameron; MAT, Baldwin Wallace University'
  ➜ Skipping stray line: 'Redkey, Elizabeth; Ph.D., University at Albany, State University of New York'
  ➜ Skipping stray line: 'Remington, Theodore; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Rhodes, Kristofer; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Robinson, Ami; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Robinson, Jeffery; Ph.D., Drew University'
  ➜ Skipping stray line: 'Rosenblatt, Heather; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Rossi, Cynthia; Ph.D., University of Maryland'
  ➜ Skipping stray line: 'Saddler, Derrick; Ph.D., University of South Florida'
  ➜ Skipping stray line: 'Sanchez, Melvin; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Scheg, Abigail; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Scheib, Douglas; Ph.D., University of Miami'
  ➜ Skipping stray line: 'Scotece, Shannon; Ph.D., State University of New York - Albany'
  ➜ Skipping stray line: 'Shahi, Kimberley; Ph.D., University of Texas at Arlington'
  ➜ Skipping stray line: 'Sharpe, Robert; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Shimotsu-Dariol, Stephanie; Ph.D., West Virginia University'
  ➜ Skipping stray line: 'Simeon, Patricia; Ed.D., Grambling State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 178'
  ➜ Skipping stray line: 'Simmons, Nathaniel; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Smith, Tommie; MBA, Middle Tennessee State University'
  ➜ Skipping stray line: 'Springfield, Derriell; Ed.D., East Tennessee State University'
  ➜ Skipping stray line: 'St Martin, Ashley; M.S., University of Vermont'
  ➜ Skipping stray line: 'Stambaugh, Nathaniel; Ph.D., Brandeis University'
  ➜ Skipping stray line: 'Starr, Neil; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Timmer, Kristin; Ph.D., University of Tennessee Health Science Center'
  ➜ Skipping stray line: 'Tolin Schultz, Alexandra; Ph.D., Stony Brook University'
  ➜ Skipping stray line: 'Tucker, Diana; Ph.D., Southern Illinois University Carbondale'
  ➜ Skipping stray line: 'Tweedy, Joanna; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Verber, Jason; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Vida, Anna; M.A., Arizona State University'
  ➜ Skipping stray line: 'Walker, Hope; M.A., The American University'
  ➜ Skipping stray line: 'Weaver, Matthew; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Webb, James; M.A., Pacific University'
  ➜ Skipping stray line: 'Wellinghoff, Lisa; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Westmoreland, Brandi; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Whitson-Whennen, Tonya; M.M., University of Utah'
  ➜ Skipping stray line: 'Woolridge, Mary; Ph.D., University of Central Florida'
  ➜ Skipping stray line: 'Young, Michael; Ph.D., University of Missouri at Saint Louis'
  ➜ Skipping stray line: 'Zasadny, Jill; Ph.D., Kansas University'
  ➜ Skipping stray line: 'Teachers College'
  ➜ Skipping stray line: 'Aafif, Amal; Ph.D., Drexel University'
  ➜ Skipping stray line: 'Affleck, Alisa; M.A., Western Governors University'
  ➜ Skipping stray line: 'Allen, Elizabeth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Aranda, Christina; M.A., University of Utah'
  ➜ Skipping stray line: 'Aufderhaar, Carolyn; Ed.D., University of Cincinnati'
  ➜ Skipping stray line: 'Baxter, Marissa; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Belchik-Moser, Sara; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Betts, Anastasia; Ph.D., Regent University'
  ➜ Skipping stray line: 'Blanks, Dorothy; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Boen, Laurie; Ph.D., University of Arkansas'
  ➜ Skipping stray line: 'Boyd-Bradwell, Natasha; Ph.D., Capella University'
  ➜ Skipping stray line: 'Branan, Daniel; Ph.D., University of Denver'
  ➜ Skipping stray line: 'Branch, Leah; Ed.D., Bethel University'
  ➜ Skipping stray line: 'Brogan, Lynn; Ed.D., Columbia University'
  ➜ Skipping stray line: 'Brooks, Marlaina; Ed.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Calero, Lisa; Ph.D., Capella University'
  ➜ Skipping stray line: 'Carey, Kimberly; Ph.D., Old Dominion University'
  ➜ Skipping stray line: 'Cartwright, Nancy; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'Cohen, Kimberley; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Constanza, Michele; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Covey, Nicole; Ed.D., University of Memphis'
  ➜ Skipping stray line: 'Douglas, Deanna; Ph.D., Wichita State University'
  ➜ Skipping stray line: 'Dove, Teresa; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Dukes, Debra; Ed.D., University of Georgia'
  ➜ Skipping stray line: 'Durakiewicz, Anna; M.S., University of Marie Curie'
  ➜ Skipping stray line: 'Eisenhour, Melanie; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Feng, Suiping; Ph.D., City University of New York'
  ➜ Skipping stray line: 'Fillpot, Elsie; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Flavin, Kathryn; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Flores, Alberto; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Francis, David; M.A., Western Governors University'
  ➜ Skipping stray line: 'Giddens, Evelyn; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gillman, Brenna; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Gray-Dowdy, Audra; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Hall, Robert; Ph.D., Capella University'
  ➜ Skipping stray line: 'Halverson, Colleen; Ph.D., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Harbin, Lesley; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 179'
  ➜ Skipping stray line: 'Hardin, Bridgette; Ed.D., Texas A&M University-Corpus Christi'
  ➜ Skipping stray line: 'Hedman, Shawn; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Henry, Joanna; M.E., Lamar University'
  ➜ Skipping stray line: 'Hernandez, Julie; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Hiebel, Adam; Ed.D., Ohio University'
  ➜ Skipping stray line: 'Hudon-Miller, Sarah; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Hughes, Amy; Ed.D., University of Montana'
  ➜ Skipping stray line: 'Hutson, Tommye; Ed.D., Baylor University'
  ➜ Skipping stray line: 'Igbinoba-Cummings, Monique; Ph.D., Lynn University'
  ➜ Skipping stray line: 'Izumi, Alisa; Ed.D., University of Massachusetts'
  ➜ Skipping stray line: 'Jacobs, Patricia; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Janitzki, Dean; M.A., University of Toledo'
  ➜ Skipping stray line: 'Johnson, Sherri; Ph.D., Capella University'
  ➜ Skipping stray line: 'Jovic, Marko; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Kain, Meri; Ed.D., University of Missouri'
  ➜ Skipping stray line: 'Kelly, Gretchen; Ed.D., Walden University'
  ➜ Skipping stray line: 'Leinbach, William; Ed.D., Oregon State University'
  ➜ Skipping stray line: 'Lindemann, Steven; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Linkenhoker, Dina; Ed.D., Liberty University'
  ➜ Skipping stray line: 'Lipscomb, Pauline; Ed.D., University of the Cumberlands'
  ➜ Skipping stray line: 'Luster, Sandricia; Ed.S., Argosy University'
  ➜ Skipping stray line: 'McCarver, Patricia; Ph.D., California Institute of Integral Studies'
  ➜ Skipping stray line: 'McDaniel, Maryann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'McGrath Hovland, Michelle; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Mendes, John; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Miller, Esther; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Mills, Ginger; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Moore, Tontaleya; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Morgan, Matthew; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Mour, Jennifer; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Murray, Mary; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Obianyo, Obiamaka; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Odom, M. Katherine; Ph.D., University of South Alabama'
  ➜ Skipping stray line: 'O’Malley, Maureen; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Pack, Mamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Parry, Kelly; Ph.D., University of North Texas'
  ➜ Skipping stray line: 'Purnell, Courtney; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Quinn, Lori; M.A.Ed., Prairie View A&M University'
  ➜ Skipping stray line: 'Rahsaz, Jacqueline; M.A., University of California San Diego'
  ➜ Skipping stray line: 'Randonis, Jennifer; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Rawson, Robert; Ph.D., University of Texas Southwestern'
  ➜ Skipping stray line: 'Richen, Damara; Ed.D., Fielding Graduate University'
  ➜ Skipping stray line: 'Robles, Veronica; Ed.D., Arizona State University'
  ➜ Skipping stray line: 'Rogers, Carmelle; Ph.D., Kansas State University'
  ➜ Skipping stray line: 'Russell-Fry, Nancy; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Scales, Rebecca; M.A., Western Governors University'
  ➜ Skipping stray line: 'Schmidt, Stan; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Sepetys, Peggy; Ed.D., University of Michigan'
  ➜ Skipping stray line: 'Shrader, Vincent; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Silver, Jennifer; Ph.D., New York University'
  ➜ Skipping stray line: 'Sims, Rachel; Ed.D., Walden University'
  ➜ Skipping stray line: 'Smith, Janeal; Ph.D., Walden University'
  ➜ Skipping stray line: 'Spencer, Kristin; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Story, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Swenson, Karl; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Thompson, Julie; Ph.D., University of Rochester'
  ➜ Skipping stray line: 'Traub-Metlay, Suzanne; Ph.D., University of Pittsburg'
  ➜ Skipping stray line: 'Tresnak, Robyn; Ph.D., Walden University'
  ➜ Skipping stray line: 'Turner, Carmen; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Vickers, Paul; Ed.D., Stephen F. Austin State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 180'
  ➜ Skipping stray line: 'Walter-Sullivan, Earnestyne; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'Weinstein, Gideon; Ph.D., Indiana University Bloomington'
  ➜ Skipping stray line: 'Whitmire, Jane; Ph.D., University of Montana'
  ➜ Skipping stray line: 'Willey-Rendon, Ruby; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Williams, Lacey; Ed.D., Union Institute and University'
  ➜ Skipping stray line: 'Wisnosky, Marc; Ph.D., University of Pittsburgh'
  ➜ Skipping stray line: 'Yanusheva, Lidiya; Ed.D., Walden University'
  ➜ Skipping stray line: 'Yatherajam, Gayatri; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Zartman, Krista; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Zimmerli, Mandy; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'College of Business'
  ➜ Skipping stray line: 'Abubakari, Nina; J.D., Wayne State University'
  ➜ Skipping stray line: 'Adler, Kathleen; Ph.D., Southern Methodist University'
  ➜ Skipping stray line: 'Alafita, Theresa; Ph.D., George Washington University'
  ➜ Skipping stray line: 'Arenz, Russell; Ph.D., Colorado Technical University'
  ➜ Skipping stray line: 'Argiento, Steven; J.D., Pace University'
  ➜ Skipping stray line: 'Austin, Judy; MBA, Western Governors University'
  ➜ Skipping stray line: 'Baragoshi, Behroz; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Barton, Robert; Ed.S., Utah State University'
  ➜ Skipping stray line: 'Black, Hilda; Ph.D., Louisiana Tech University'
  ➜ Skipping stray line: 'Borch, Casey; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Boysen-Rotelli, Sheila; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Brownstein, Steven; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Carson, Pook; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Cassell, Kenneth; MBA, San Jose State University'
  ➜ Skipping stray line: 'Cherry, Patricia; Ph.D., Capella University'
  ➜ Skipping stray line: 'Clarke, Jeffrey; Ph.D., University of California-Los Angeles'
  ➜ Skipping stray line: 'Connor, Martin; J.D., University of North Dakota'
  ➜ Skipping stray line: 'Davis, Lorretta; Ph.D., Capella University'
  ➜ Skipping stray line: 'Davis, Mary; Ed.D., Central Michigan University'
  ➜ Skipping stray line: 'Doctorman, Lindsey; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Doren, Andrew; D.M., University of Maryland'
  ➜ Skipping stray line: 'Dula, Kimberly; Ph.D., Mercer University'
  ➜ Skipping stray line: 'Duran, Anthony; DBA, Grand Canyon University'
  ➜ Skipping stray line: 'Ennis, Erica; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Etter, Edwin; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Feehery, George; DBA, Nova Southeastern University'
  ➜ Skipping stray line: 'Fisher, Paul; Ph.D., Oregon State University'
  ➜ Skipping stray line: 'Gallo, Merry; DBA, Argosy University'
  ➜ Skipping stray line: 'Garland, Jennifer; DBA, Keiser University'
  ➜ Skipping stray line: 'Geddes, Bruce; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gilyot, Bianca; MBA, Northcentral University'
  ➜ Skipping stray line: 'Giscombe, Hilbert; DBA, Argosy University'
  ➜ Skipping stray line: 'Gough, Gregory; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Green, Maurice; Ph.D., University at Albany – State University of New York'
  ➜ Skipping stray line: 'Gunn, Linda; Ph.D., Union Institute and University'
  ➜ Skipping stray line: 'Havins, Merwin; Ed.D., Northern Arizona University'
  ➜ Skipping stray line: 'Heinzman, Joseph; DM, Colorado Technical University'
  ➜ Skipping stray line: 'Hon, Charles; Ph.D., Capella University'
  ➜ Skipping stray line: 'Hudson, Brandi; J.D., Regent University'
  ➜ Skipping stray line: 'Iannucci, Brian; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Imboden, Paul; DBA., Northcentral University'
  ➜ Skipping stray line: 'Jividen, Jim; J.D., Ohio Northern University'
  ➜ Skipping stray line: 'Jones, Alan; MBA, Dartmouth College'
  ➜ Skipping stray line: 'Justice, Jeanne; DBA, Walden University'
  ➜ Skipping stray line: 'Kale, Mrinalini; Ph.D., Capella University'
  ➜ Skipping stray line: 'Kenny, Timothy; M.S., Regis University'
  ➜ Skipping stray line: 'Kowalski, Christine; Ed.D., National Louis University'
  ➜ Skipping stray line: 'Kushniroff, Melinda; Ed.D., Liberty University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 181'
  ➜ Skipping stray line: 'La Hay, Ann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Lagroue, Harold; Ph.D., Louisiana State University'
  ➜ Skipping stray line: 'Lamer, Maryann; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Langdon, Debra; MBA, Denver University'
  ➜ Skipping stray line: 'Lutter-Cooper, Victoria; Ph.D., Capella University'
  ➜ Skipping stray line: 'Marshall, Mario; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'McClesky, Jamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'McNulty, Peggy; Ph.D., University of Colorado-Colorado Springs'
  ➜ Skipping stray line: 'Melton, Rebecca; Ph.D., Chicago School of Professional Psychology'
  ➜ Skipping stray line: 'Mills, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Moore, Detria; J.D., Liberty University'
  ➜ Skipping stray line: 'Neely, Cecil; MBA, University of North Carolina at Greensboro'
  ➜ Skipping stray line: 'Nelms, Linda; Ph.D., Capella University'
  ➜ Skipping stray line: 'Nelson, Camille; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'O’Brien, Joseph; Ed.D., George Washington University'
  ➜ Skipping stray line: 'Openshaw, Matthew; Ph.D., University of Texas at Dallas'
  ➜ Skipping stray line: 'Parish, Beth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Patterson, Julie; Ph.D., University of Illinois at Urbana-Champaign'
  ➜ Skipping stray line: 'Pawarski, Richard; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Phillips, Patti; J.D., Stetson University'
  ➜ Skipping stray line: 'Pratt, Christopher; DHA, University of Phoenix'
  ➜ Skipping stray line: 'Raimo, Steve; DSL, Regent University'
  ➜ Skipping stray line: 'Richardson, Shay; DBA, Walden University'
  ➜ Skipping stray line: 'Roberts, Tracia; M.S., University of Phoenix'
  ➜ Skipping stray line: 'Roberts, Wade; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Rogers, Katie; MBA, University of Utah'
  ➜ Skipping stray line: 'Sawant, Gauri; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Shah, Rob; MBA, DeVry University'
  ➜ Skipping stray line: 'Shepherd, Tracie; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Skinner, Susan; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Snipes, Dawna; J.D., Western Michigan University'
  ➜ Skipping stray line: 'Souder, Michele; MBA, University of Dayton'
  ➜ Skipping stray line: 'Spicer, Ronald; Ph.D., Capella University'
  ➜ Skipping stray line: 'Stewart, Michelle; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Strickland, Cynthia; Ph.D., Touro University International'
  ➜ Skipping stray line: 'Swarthout, Nanette; MBA, Fontbonne University'
  ➜ Skipping stray line: 'Tapp, Timothy; MHA, Washington University'
  ➜ Skipping stray line: 'Thomas, Melanie; J.D., University of North Carolina'
  ➜ Skipping stray line: 'Venkateswar, Sankaran; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Wachter, Eddie; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Wade, Keith; MBA, University of Detroit'
  ➜ Skipping stray line: 'Walker, Natalie; DBA, Keiser University'
  ➜ Skipping stray line: 'Wang, Xiaofei; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Williams, Pegeen; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Williams, Rian; MPA, University of Utah'
  ➜ Skipping stray line: 'Wood, Carrie; M.S., Strayer University'
  ➜ Skipping stray line: 'College of Information Technology'
  ➜ Skipping stray line: 'Al-Husaam, Abdul; Ph.D., Capella University'
  ➜ Skipping stray line: 'Alberici, Mary; Ph.D., University of Missouri-St. Louis'
  ➜ Skipping stray line: 'Allen, Candice; M.A., Capella University'
  ➜ Skipping stray line: 'Antonucci, Amy; M.S., University of Delaware'
  ➜ Skipping stray line: 'Banerjee, Pubali; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'Beverley, Charles; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Blanson, Constance; Ph.D., Capella University'
  ➜ Skipping stray line: 'Bojonny, John; M.S., Marywood University'
  ➜ Skipping stray line: 'Borsum, Pamela; MBA, Western Governors University'
  ➜ Skipping stray line: 'Campbell, Wendy; DBA, Northcentral University'
  ➜ Skipping stray line: 'Carter, Betty; M.S., Troy University'
  ➜ Skipping stray line: 'Cobbs, Dana; M.S., College of William and Mary'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 182'
  ➜ Skipping stray line: 'Cook, Henry; M.S., Clark Atlanta University'
  ➜ Skipping stray line: 'Crawford, Demetria; M.S., Boston University'
  ➜ Skipping stray line: 'Dupree, Yolanda; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Farmer, Jaynee; M.A., University of Arkansas at Little Rock'
  ➜ Skipping stray line: 'Ferdinand, Jeff; M.S., Trident University International'
  ➜ Skipping stray line: 'Gardner, Diana; MBA, Western Governors University'
  ➜ Skipping stray line: 'Garza, Brian; M.S., Western Governors University'
  ➜ Skipping stray line: 'Goodwin, Orenthio; Ph.D., Capella University'
  ➜ Skipping stray line: 'Heiner, Jenny; M.S., Capitol College'
  ➜ Skipping stray line: 'Huff, David; Ph.D., Wayne State University'
  ➜ Skipping stray line: 'Jensen, Bryan; M.S., Bellvue University'
  ➜ Skipping stray line: 'Kercher, Paul; M.S., Missouri University of Science and Technology'
  ➜ Skipping stray line: 'LaMolinare, Deana; M.S., Duquesne University'
  ➜ Skipping stray line: 'Lang, Cythia; MSCHe, University of Maryland'
  ➜ Skipping stray line: 'Lavieri, Edward; DCS, Colorado Technical University'
  ➜ Skipping stray line: 'Light, Gerri; M.S., Walden University'
  ➜ Skipping stray line: 'Lively, Charles; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'McFarlane, Michele; M.S., DeVry University'
  ➜ Skipping stray line: 'McLaughlin, Mike; M.S., University of Maine'
  ➜ Skipping stray line: 'Mendell, Ronald; M.S., Capitol College'
  ➜ Skipping stray line: 'Milham, Thomas; MNCM, DeVry University'
  ➜ Skipping stray line: 'Moore, Ronald; M.A., Troy University'
  ➜ Skipping stray line: 'Morrill, Ralph; Ph.D., North Central University'
  ➜ Skipping stray line: 'Ntinglet-Davis, Emelda; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Ozmer, Connie; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Paddock, Charles; Ph.D., University of Houston'
  ➜ Skipping stray line: 'Peterson, Michael; Ph.D., Capella University'
  ➜ Skipping stray line: 'Pinaire, Ken; MBA, University of Texas at Dallas'
  ➜ Skipping stray line: 'Rawlinson, David; J.D., South Texas College of Law'
  ➜ Skipping stray line: 'Schaefer, Brett; MBA, DeVry University'
  ➜ Skipping stray line: 'Shenk, Maria; M.S., City University of Seattle'
  ➜ Skipping stray line: 'Scutro, Rebecca; M.S., Saint Joseph’s University'
  ➜ Skipping stray line: 'Sewell, William; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Sher-DeCusatis, Carolyn; M.A., State University of New York at Stony Brook'
  ➜ Skipping stray line: 'Shields, Jessica; MFA, Savannah College of Art and Design'
  ➜ Skipping stray line: 'Sistelos, Antonio; Ph.D., Indiana State University'
  ➜ Skipping stray line: 'Stromberg, Scott; M.S., Nova Southeastern University'
  ➜ Skipping stray line: 'Swanson, Tom; Ph.D., Capella University'
  ➜ Skipping stray line: 'Taylor, Julinda; M.S., Wichita State University'
  ➜ Skipping stray line: 'Travis, Susan; M.A., University of Phoenix'
  ➜ Skipping stray line: 'College of Health Professions'
  ➜ Skipping stray line: 'Abdur-Rahman, Veronica; Ph.D., Texas Woman’s University'
  ➜ Skipping stray line: 'Abee, Debra; M.S., University of North Carolina Greensboro'
  ➜ Skipping stray line: 'Abraham, Gail; MSN/ED, University of Phoenix'
  ➜ Skipping stray line: 'Adams, Lora; M.S., Michigan State University'
  ➜ Skipping stray line: 'Adkins, Dee; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Allen, Juanita; DNP, University of Utah'
  ➜ Skipping stray line: 'Ashby, Shelley; DNP, University of Southern Indiana'
  ➜ Skipping stray line: 'Austgen, Donna; M.S., University of Indianapolis'
  ➜ Skipping stray line: 'Barber, Kendar; M.S., Indiana University'
  ➜ Skipping stray line: 'Battle, Linda; DNP, Regis College'
  ➜ Skipping stray line: 'Benoit, Heidi; M.S., Western Governors University'
  ➜ Skipping stray line: 'Benson, Johnett; DNP, Kent State University'
  ➜ Skipping stray line: 'Bergfeld, Marcia; M.S., Lourdes College'
  ➜ Skipping stray line: 'Berndt, Janeen; DNP, Valparaiso University'
  ➜ Skipping stray line: 'Blaine, Stephanie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Cain, Lyn; Ph.D., Grand Canyon University'
  ➜ Skipping stray line: 'Carney, Mary; DNP, Touro University – Nevada'
  ➜ Skipping stray line: 'Chau-Nguyen, Thao; MPH, Tulane University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 183'
  ➜ Skipping stray line: 'Cleveland, Melissa; DNP, Rocky Mountain University'
  ➜ Skipping stray line: 'Cloonan, Kelly; DNP, Case Western Reserve'
  ➜ Skipping stray line: 'Dahdal, Kimberly; M.S., Western Governors University'
  ➜ Skipping stray line: 'Dantzler, Barbara; Ph.D., Trident University'
  ➜ Skipping stray line: 'Diaz, Constance; Ph.D., University of Northern Colorado'
  ➜ Skipping stray line: 'Diaz, Lorna; DNP, Western University of Health Sciences'
  ➜ Skipping stray line: 'Dorin, Michelle; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Dush, Curtis; M.S., East Tennessee State University'
  ➜ Skipping stray line: 'Elmer, Justine; M.S., Kaplan University'
  ➜ Skipping stray line: 'Englert, Mary; DNP, University of North Florida'
  ➜ Skipping stray line: 'Feather, Rebecca; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Frankie, Sandra; M.S., Western Governors University'
  ➜ Skipping stray line: 'Gabel, Ann; M.S., University of Kansas'
  ➜ Skipping stray line: 'Gayol, Marcos; M.S., Aspen University'
  ➜ Skipping stray line: 'Giaquinto, Elisa; M.A., Brown University'
  ➜ Skipping stray line: 'Gogatz, Debra; DNP, Regis University'
  ➜ Skipping stray line: 'Golden, Christina; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Gottesfeld, Ilene; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Gwyn, Elizabeth; M.S., Winston Salem State University'
  ➜ Skipping stray line: 'Hadsell, Christine; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Hansen, Julie; Ph.D., South Dakota State University'
  ➜ Skipping stray line: 'Hartley-Clanton, Patricia; M.S., University of Utah'
  ➜ Skipping stray line: 'Hawkins, Shannon; M.S., Walden University'
  ➜ Skipping stray line: 'Heyer-Schmidt, Theres-Anne; ND, University of Colorado-Denver'
  ➜ Skipping stray line: 'Hill, Dana; Ph.D., Walden University'
  ➜ Skipping stray line: 'Hunt, Eleanor; M.S., Duke University'
  ➜ Skipping stray line: 'Johnson-Anderson, Heidi; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Kangas, Sandra; Ph.D., Georgia State University'
  ➜ Skipping stray line: 'Kogan, Lisa; M.S., Western Governors University'
  ➜ Skipping stray line: 'Langer Atkinson, Heidi; Ph.D., University of Albany'
  ➜ Skipping stray line: 'Lashlee, Marilyn; DNP, Northeastern University'
  ➜ Skipping stray line: 'Long, Jennifer; M.S., Indiana University'
  ➜ Skipping stray line: 'Marshall, Janet; Ph.D., Rush University'
  ➜ Title candidate: 'Masterson, Debra; Ed.D., Liberty University'
  ✔️ Collected description (40 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 6738: 'DPT2 - Physics: Electricity and Magnetism - Physics: Electricity and Magnetism addresses principles related to the physics of electricity and'

🔍 parse_program: starting at line 6738: 'DPT2 - Physics: Electricity and Magnetism - Physics: Electricity and Magnetism addresses principles related to the physics of electricity and'
  ➜ Title candidate: 'DPT2 - Physics: Electricity and Magnetism - Physics: Electricity and Magnetism addresses principles related to the physics of electricity and'
  ❌ Invalid title line: 'DPT2 - Physics: Electricity and Magnetism - Physics: Electricity and Magnetism addresses principles related to the physics of electricity and'
  ➜ Parsing at 6739: 'magnetism. Students will study electric and magnetic forces and then apply that knowledge to the study of circuits with resistors and electromagnetic'

🔍 parse_program: starting at line 6739: 'magnetism. Students will study electric and magnetic forces and then apply that knowledge to the study of circuits with resistors and electromagnetic'
  ➜ Title candidate: 'magnetism. Students will study electric and magnetic forces and then apply that knowledge to the study of circuits with resistors and electromagnetic'
  ❌ Invalid title line: 'magnetism. Students will study electric and magnetic forces and then apply that knowledge to the study of circuits with resistors and electromagnetic'
  ➜ Parsing at 6740: 'induction and waves, focusing on such topics as: Electric charge and electric field, electric currents and resistance, magnetism, electromagnetic'

🔍 parse_program: starting at line 6740: 'induction and waves, focusing on such topics as: Electric charge and electric field, electric currents and resistance, magnetism, electromagnetic'
  ➜ Title candidate: 'induction and waves, focusing on such topics as: Electric charge and electric field, electric currents and resistance, magnetism, electromagnetic'
  ❌ Invalid title line: 'induction and waves, focusing on such topics as: Electric charge and electric field, electric currents and resistance, magnetism, electromagnetic'
  ➜ Parsing at 6741: 'induction and Faraday's law, and Maxwell's equation and electromagnetic waves.'

🔍 parse_program: starting at line 6741: 'induction and Faraday's law, and Maxwell's equation and electromagnetic waves.'
  ➜ Title candidate: 'induction and Faraday's law, and Maxwell's equation and electromagnetic waves.'
  ❌ Invalid title line: 'induction and Faraday's law, and Maxwell's equation and electromagnetic waves.'
  ➜ Parsing at 6742: 'DRC1 - Educational Assessment - Educational Assessment assists students in making appropriate data-driven instructional decisions by exploring'

🔍 parse_program: starting at line 6742: 'DRC1 - Educational Assessment - Educational Assessment assists students in making appropriate data-driven instructional decisions by exploring'
  ➜ Title candidate: 'DRC1 - Educational Assessment - Educational Assessment assists students in making appropriate data-driven instructional decisions by exploring'
  ❌ Invalid title line: 'DRC1 - Educational Assessment - Educational Assessment assists students in making appropriate data-driven instructional decisions by exploring'
  ➜ Parsing at 6743: 'key concepts relevant to the administration, scoring, and interpretation of classroom assessments. Topics include ethical assessment practices,'

🔍 parse_program: starting at line 6743: 'key concepts relevant to the administration, scoring, and interpretation of classroom assessments. Topics include ethical assessment practices,'
  ➜ Title candidate: 'key concepts relevant to the administration, scoring, and interpretation of classroom assessments. Topics include ethical assessment practices,'
  ❌ Invalid title line: 'key concepts relevant to the administration, scoring, and interpretation of classroom assessments. Topics include ethical assessment practices,'
  ➜ Parsing at 6744: 'designing assessments, aligning assessments, and utilizing technology for assessment.'

🔍 parse_program: starting at line 6744: 'designing assessments, aligning assessments, and utilizing technology for assessment.'
  ➜ Title candidate: 'designing assessments, aligning assessments, and utilizing technology for assessment.'
  ❌ Invalid title line: 'designing assessments, aligning assessments, and utilizing technology for assessment.'
  ➜ Parsing at 6745: 'DWP2 - Application of Elementary Social Studies Methods - Application of Elementary Social Studies Methods helps students learn how to'

🔍 parse_program: starting at line 6745: 'DWP2 - Application of Elementary Social Studies Methods - Application of Elementary Social Studies Methods helps students learn how to'
  ➜ Title candidate: 'DWP2 - Application of Elementary Social Studies Methods - Application of Elementary Social Studies Methods helps students learn how to'
  ❌ Invalid title line: 'DWP2 - Application of Elementary Social Studies Methods - Application of Elementary Social Studies Methods helps students learn how to'
  ➜ Parsing at 6746: 'implement effective social studies instruction in the elementary classroom. Topics include social studies themes, promoting cultural diversity,'

🔍 parse_program: starting at line 6746: 'implement effective social studies instruction in the elementary classroom. Topics include social studies themes, promoting cultural diversity,'
  ➜ Title candidate: 'implement effective social studies instruction in the elementary classroom. Topics include social studies themes, promoting cultural diversity,'
  ❌ Invalid title line: 'implement effective social studies instruction in the elementary classroom. Topics include social studies themes, promoting cultural diversity,'
  ➜ Parsing at 6747: 'integrated social studies across the curriculum, social studies learning environments, assessing social studies understanding, differentiated instruction'

🔍 parse_program: starting at line 6747: 'integrated social studies across the curriculum, social studies learning environments, assessing social studies understanding, differentiated instruction'
  ➜ Title candidate: 'integrated social studies across the curriculum, social studies learning environments, assessing social studies understanding, differentiated instruction'
  ❌ Invalid title line: 'integrated social studies across the curriculum, social studies learning environments, assessing social studies understanding, differentiated instruction'
  ➜ Parsing at 6748: 'for social studies, technology for social studies instruction, and standards-based social studies instruction. This course helps students to apply,'

🔍 parse_program: starting at line 6748: 'for social studies, technology for social studies instruction, and standards-based social studies instruction. This course helps students to apply,'
  ➜ Title candidate: 'for social studies, technology for social studies instruction, and standards-based social studies instruction. This course helps students to apply,'
  ❌ Invalid title line: 'for social studies, technology for social studies instruction, and standards-based social studies instruction. This course helps students to apply,'
  ➜ Parsing at 6749: 'analyze, and reflect on effective elementary social studies instruction.'

🔍 parse_program: starting at line 6749: 'analyze, and reflect on effective elementary social studies instruction.'
  ➜ Title candidate: 'analyze, and reflect on effective elementary social studies instruction.'
  ❌ Invalid title line: 'analyze, and reflect on effective elementary social studies instruction.'
  ➜ Parsing at 6750: 'DZP2 - Application of Elementary Visual and Performing Arts Methods - Application of Elementary Visual and Performing Arts Methods helps'

🔍 parse_program: starting at line 6750: 'DZP2 - Application of Elementary Visual and Performing Arts Methods - Application of Elementary Visual and Performing Arts Methods helps'
  ➜ Title candidate: 'DZP2 - Application of Elementary Visual and Performing Arts Methods - Application of Elementary Visual and Performing Arts Methods helps'
  ❌ Invalid title line: 'DZP2 - Application of Elementary Visual and Performing Arts Methods - Application of Elementary Visual and Performing Arts Methods helps'
  ➜ Parsing at 6751: 'students learn how to implement effective visual and performing arts instruction in the elementary classroom. Topics include integrating arts across the'

🔍 parse_program: starting at line 6751: 'students learn how to implement effective visual and performing arts instruction in the elementary classroom. Topics include integrating arts across the'
  ➜ Title candidate: 'students learn how to implement effective visual and performing arts instruction in the elementary classroom. Topics include integrating arts across the'
  ❌ Invalid title line: 'students learn how to implement effective visual and performing arts instruction in the elementary classroom. Topics include integrating arts across the'
  ➜ Parsing at 6752: 'curriculum, music education, visual arts, dance and movement, dramatic arts, differentiated instruction for visual and performing arts, and promoting'

🔍 parse_program: starting at line 6752: 'curriculum, music education, visual arts, dance and movement, dramatic arts, differentiated instruction for visual and performing arts, and promoting'
  ➜ Title candidate: 'curriculum, music education, visual arts, dance and movement, dramatic arts, differentiated instruction for visual and performing arts, and promoting'
  ❌ Invalid title line: 'curriculum, music education, visual arts, dance and movement, dramatic arts, differentiated instruction for visual and performing arts, and promoting'
  ➜ Parsing at 6753: 'cultural diversity through visual and performing arts instruction. This course helps students to apply, analyze, and reflect on effective elementary visual'

🔍 parse_program: starting at line 6753: 'cultural diversity through visual and performing arts instruction. This course helps students to apply, analyze, and reflect on effective elementary visual'
  ➜ Title candidate: 'cultural diversity through visual and performing arts instruction. This course helps students to apply, analyze, and reflect on effective elementary visual'
  ❌ Invalid title line: 'cultural diversity through visual and performing arts instruction. This course helps students to apply, analyze, and reflect on effective elementary visual'
  ➜ Parsing at 6754: 'and performing arts instruction.'

🔍 parse_program: starting at line 6754: 'and performing arts instruction.'
  ➜ Title candidate: 'and performing arts instruction.'
  ❌ Invalid title line: 'and performing arts instruction.'
  ➜ Parsing at 6755: 'EBP2 - Application of Elementary Physical Education and Health Methods - Applications of Elementary Physical Education and Health Methods'

🔍 parse_program: starting at line 6755: 'EBP2 - Application of Elementary Physical Education and Health Methods - Applications of Elementary Physical Education and Health Methods'
  ➜ Title candidate: 'EBP2 - Application of Elementary Physical Education and Health Methods - Applications of Elementary Physical Education and Health Methods'
  ❌ Invalid title line: 'EBP2 - Application of Elementary Physical Education and Health Methods - Applications of Elementary Physical Education and Health Methods'
  ➜ Parsing at 6756: 'helps students learn how to implement effective physical and health education instruction in the elementary classroom. Topics include healthy'

🔍 parse_program: starting at line 6756: 'helps students learn how to implement effective physical and health education instruction in the elementary classroom. Topics include healthy'
  ➜ Title candidate: 'helps students learn how to implement effective physical and health education instruction in the elementary classroom. Topics include healthy'
  ❌ Invalid title line: 'helps students learn how to implement effective physical and health education instruction in the elementary classroom. Topics include healthy'
  ➜ Parsing at 6757: 'lifestyles, student safety, student nutrition, physical education, differentiated instruction for physical and health education, physical education across'

🔍 parse_program: starting at line 6757: 'lifestyles, student safety, student nutrition, physical education, differentiated instruction for physical and health education, physical education across'
  ➜ Title candidate: 'lifestyles, student safety, student nutrition, physical education, differentiated instruction for physical and health education, physical education across'
  ❌ Invalid title line: 'lifestyles, student safety, student nutrition, physical education, differentiated instruction for physical and health education, physical education across'
  ➜ Parsing at 6758: 'the curriculum, and public policy in health and physical education. This course helps students to apply, analyze, and reflect on effective elementary'

🔍 parse_program: starting at line 6758: 'the curriculum, and public policy in health and physical education. This course helps students to apply, analyze, and reflect on effective elementary'
  ➜ Title candidate: 'the curriculum, and public policy in health and physical education. This course helps students to apply, analyze, and reflect on effective elementary'
  ❌ Invalid title line: 'the curriculum, and public policy in health and physical education. This course helps students to apply, analyze, and reflect on effective elementary'
  ➜ Parsing at 6759: 'visual and performing arts instruction.'

🔍 parse_program: starting at line 6759: 'visual and performing arts instruction.'
  ➜ Title candidate: 'visual and performing arts instruction.'
  ❌ Invalid title line: 'visual and performing arts instruction.'
  ➜ Parsing at 6760: 'EFP1 - Cultural Studies and Diversity - Cultural Studies and Diversity focuses on the development of cultural awareness. Students will analyze the'

🔍 parse_program: starting at line 6760: 'EFP1 - Cultural Studies and Diversity - Cultural Studies and Diversity focuses on the development of cultural awareness. Students will analyze the'
  ➜ Title candidate: 'EFP1 - Cultural Studies and Diversity - Cultural Studies and Diversity focuses on the development of cultural awareness. Students will analyze the'
  ❌ Invalid title line: 'EFP1 - Cultural Studies and Diversity - Cultural Studies and Diversity focuses on the development of cultural awareness. Students will analyze the'
  ➜ Parsing at 6761: 'role of culture in today’s world, develop culturally-responsive practices, and understand the barriers to and the benefits of diversity.'

🔍 parse_program: starting at line 6761: 'role of culture in today’s world, develop culturally-responsive practices, and understand the barriers to and the benefits of diversity.'
  ➜ Title candidate: 'role of culture in today’s world, develop culturally-responsive practices, and understand the barriers to and the benefits of diversity.'
  ❌ Invalid title line: 'role of culture in today’s world, develop culturally-responsive practices, and understand the barriers to and the benefits of diversity.'
  ➜ Parsing at 6762: 'EFV1 - Behavioral Management and Intervention - Behavioral Management and Intervention explores the challenges of working with students with'

🔍 parse_program: starting at line 6762: 'EFV1 - Behavioral Management and Intervention - Behavioral Management and Intervention explores the challenges of working with students with'
  ➜ Title candidate: 'EFV1 - Behavioral Management and Intervention - Behavioral Management and Intervention explores the challenges of working with students with'
  ❌ Invalid title line: 'EFV1 - Behavioral Management and Intervention - Behavioral Management and Intervention explores the challenges of working with students with'
  ➜ Parsing at 6763: 'emotional and behavioral disabilities and helps students learn about theories, interventions, practices, and assessments that can influence these'

🔍 parse_program: starting at line 6763: 'emotional and behavioral disabilities and helps students learn about theories, interventions, practices, and assessments that can influence these'
  ➜ Title candidate: 'emotional and behavioral disabilities and helps students learn about theories, interventions, practices, and assessments that can influence these'
  ❌ Invalid title line: 'emotional and behavioral disabilities and helps students learn about theories, interventions, practices, and assessments that can influence these'
  ➜ Parsing at 6764: 'children's opportunities for success. It further helps students better be able to make decisions about how to strategize behavior'

🔍 parse_program: starting at line 6764: 'children's opportunities for success. It further helps students better be able to make decisions about how to strategize behavior'
  ➜ Title candidate: 'children's opportunities for success. It further helps students better be able to make decisions about how to strategize behavior'
  ❌ Invalid title line: 'children's opportunities for success. It further helps students better be able to make decisions about how to strategize behavior'
  ➜ Parsing at 6765: 'adjustments for individual students.'

🔍 parse_program: starting at line 6765: 'adjustments for individual students.'
  ➜ Title candidate: 'adjustments for individual students.'
  ❌ Invalid title line: 'adjustments for individual students.'
  ➜ Parsing at 6766: 'EFV2 - Behavioral Management and Intervention - Behavioral Management and Intervention explores the challenges of working with students with'

🔍 parse_program: starting at line 6766: 'EFV2 - Behavioral Management and Intervention - Behavioral Management and Intervention explores the challenges of working with students with'
  ➜ Title candidate: 'EFV2 - Behavioral Management and Intervention - Behavioral Management and Intervention explores the challenges of working with students with'
  ❌ Invalid title line: 'EFV2 - Behavioral Management and Intervention - Behavioral Management and Intervention explores the challenges of working with students with'
  ➜ Parsing at 6767: 'emotional and behavioral disabilities and helps students learn about theories, interventions, practices, and assessments that can influence these'

🔍 parse_program: starting at line 6767: 'emotional and behavioral disabilities and helps students learn about theories, interventions, practices, and assessments that can influence these'
  ➜ Title candidate: 'emotional and behavioral disabilities and helps students learn about theories, interventions, practices, and assessments that can influence these'
  ❌ Invalid title line: 'emotional and behavioral disabilities and helps students learn about theories, interventions, practices, and assessments that can influence these'
  ➜ Parsing at 6768: 'children's opportunities for success. It further helps students better be able to make decisions about how to strategize behavior adjustments for'

🔍 parse_program: starting at line 6768: 'children's opportunities for success. It further helps students better be able to make decisions about how to strategize behavior adjustments for'
  ➜ Title candidate: 'children's opportunities for success. It further helps students better be able to make decisions about how to strategize behavior adjustments for'
  ❌ Invalid title line: 'children's opportunities for success. It further helps students better be able to make decisions about how to strategize behavior adjustments for'
  ➜ Parsing at 6769: 'individual students.'

🔍 parse_program: starting at line 6769: 'individual students.'
  ➜ Title candidate: 'individual students.'
  ❌ Invalid title line: 'individual students.'
  ➜ Parsing at 6770: 'ELO1 - Subject Specific Pedagogy: ELL - Subject Specific Pedagogy: ELL integrates aspects of pedagogy, assessment, and professionalism in'

🔍 parse_program: starting at line 6770: 'ELO1 - Subject Specific Pedagogy: ELL - Subject Specific Pedagogy: ELL integrates aspects of pedagogy, assessment, and professionalism in'
  ➜ Title candidate: 'ELO1 - Subject Specific Pedagogy: ELL - Subject Specific Pedagogy: ELL integrates aspects of pedagogy, assessment, and professionalism in'
  ❌ Invalid title line: 'ELO1 - Subject Specific Pedagogy: ELL - Subject Specific Pedagogy: ELL integrates aspects of pedagogy, assessment, and professionalism in'
  ➜ Parsing at 6771: 'English Language Learning (ELL). A student develops and assesses aspects of language curriculum development including second language'

🔍 parse_program: starting at line 6771: 'English Language Learning (ELL). A student develops and assesses aspects of language curriculum development including second language'
  ➜ Title candidate: 'English Language Learning (ELL). A student develops and assesses aspects of language curriculum development including second language'
  ❌ Invalid title line: 'English Language Learning (ELL). A student develops and assesses aspects of language curriculum development including second language'
  ➜ Parsing at 6772: 'instruction, methods of second language assessment, and legal policy issues.'

🔍 parse_program: starting at line 6772: 'instruction, methods of second language assessment, and legal policy issues.'
  ➜ Title candidate: 'instruction, methods of second language assessment, and legal policy issues.'
  ❌ Invalid title line: 'instruction, methods of second language assessment, and legal policy issues.'
  ➜ Parsing at 6773: 'EST1 - Ethical Situations in Business - Ethical Situations in Business explores various scenarios in business and helps students learn to develop'

🔍 parse_program: starting at line 6773: 'EST1 - Ethical Situations in Business - Ethical Situations in Business explores various scenarios in business and helps students learn to develop'
  ➜ Title candidate: 'EST1 - Ethical Situations in Business - Ethical Situations in Business explores various scenarios in business and helps students learn to develop'
  ❌ Invalid title line: 'EST1 - Ethical Situations in Business - Ethical Situations in Business explores various scenarios in business and helps students learn to develop'
  ➜ Parsing at 6774: 'ethical and socially responsible courses of action. Students will also learn to develop an appropriate and comprehensive ethics program for a business'

🔍 parse_program: starting at line 6774: 'ethical and socially responsible courses of action. Students will also learn to develop an appropriate and comprehensive ethics program for a business'
  ➜ Title candidate: 'ethical and socially responsible courses of action. Students will also learn to develop an appropriate and comprehensive ethics program for a business'
  ❌ Invalid title line: 'ethical and socially responsible courses of action. Students will also learn to develop an appropriate and comprehensive ethics program for a business'
  ➜ Parsing at 6775: 'venture.'

🔍 parse_program: starting at line 6775: 'venture.'
  ➜ Title candidate: 'venture.'
  ❌ Invalid title line: 'venture.'
  ➜ Parsing at 6776: 'EXP2 - College Geometry - College Geometry covers the knowledge and skills necessary to apply geometry to model and solve real-life problems, to'

🔍 parse_program: starting at line 6776: 'EXP2 - College Geometry - College Geometry covers the knowledge and skills necessary to apply geometry to model and solve real-life problems, to'
  ➜ Title candidate: 'EXP2 - College Geometry - College Geometry covers the knowledge and skills necessary to apply geometry to model and solve real-life problems, to'
  ❌ Invalid title line: 'EXP2 - College Geometry - College Geometry covers the knowledge and skills necessary to apply geometry to model and solve real-life problems, to'
  ➜ Parsing at 6777: 'do formal axiomatic proofs in geometry, and to use dynamic technology to explore geometry. Topics include axiomatic systems and analytic proof;'

🔍 parse_program: starting at line 6777: 'do formal axiomatic proofs in geometry, and to use dynamic technology to explore geometry. Topics include axiomatic systems and analytic proof;'
  ➜ Title candidate: 'do formal axiomatic proofs in geometry, and to use dynamic technology to explore geometry. Topics include axiomatic systems and analytic proof;'
  ❌ Invalid title line: 'do formal axiomatic proofs in geometry, and to use dynamic technology to explore geometry. Topics include axiomatic systems and analytic proof;'
  ➜ Parsing at 6778: 'non-Euclidean geometries; construction, analytic, and synthetic methods for investigating and proving properties and relationships of two- and three-'

🔍 parse_program: starting at line 6778: 'non-Euclidean geometries; construction, analytic, and synthetic methods for investigating and proving properties and relationships of two- and three-'
  ➜ Title candidate: 'non-Euclidean geometries; construction, analytic, and synthetic methods for investigating and proving properties and relationships of two- and three-'
  ❌ Invalid title line: 'non-Euclidean geometries; construction, analytic, and synthetic methods for investigating and proving properties and relationships of two- and three-'
  ➜ Parsing at 6779: 'dimensional objects; geometric transformations, tessellations, and using inductive reasoning; concrete models; and dynamic technology to conduct'

🔍 parse_program: starting at line 6779: 'dimensional objects; geometric transformations, tessellations, and using inductive reasoning; concrete models; and dynamic technology to conduct'
  ➜ Title candidate: 'dimensional objects; geometric transformations, tessellations, and using inductive reasoning; concrete models; and dynamic technology to conduct'
  ❌ Invalid title line: 'dimensional objects; geometric transformations, tessellations, and using inductive reasoning; concrete models; and dynamic technology to conduct'
  ➜ Parsing at 6780: 'geometric investigations. College Algebra and Pre-Calculus are prerequisites for this course.'

🔍 parse_program: starting at line 6780: 'geometric investigations. College Algebra and Pre-Calculus are prerequisites for this course.'
  ➜ Title candidate: 'geometric investigations. College Algebra and Pre-Calculus are prerequisites for this course.'
  ❌ Invalid title line: 'geometric investigations. College Algebra and Pre-Calculus are prerequisites for this course.'
  ➜ Parsing at 6781: 'FCC1 - Introduction to Special Education, Law and Legal Issues - Introduction to Special Education, Law and Legal Issues introduces the history'

🔍 parse_program: starting at line 6781: 'FCC1 - Introduction to Special Education, Law and Legal Issues - Introduction to Special Education, Law and Legal Issues introduces the history'
  ➜ Title candidate: 'FCC1 - Introduction to Special Education, Law and Legal Issues - Introduction to Special Education, Law and Legal Issues introduces the history'
  ❌ Invalid title line: 'FCC1 - Introduction to Special Education, Law and Legal Issues - Introduction to Special Education, Law and Legal Issues introduces the history'
  ➜ Parsing at 6782: 'and nature of special education and how it relates to general education, as well as specific legal acts and concepts governing it. Topics include history'

🔍 parse_program: starting at line 6782: 'and nature of special education and how it relates to general education, as well as specific legal acts and concepts governing it. Topics include history'
  ➜ Title candidate: 'and nature of special education and how it relates to general education, as well as specific legal acts and concepts governing it. Topics include history'
  ❌ Invalid title line: 'and nature of special education and how it relates to general education, as well as specific legal acts and concepts governing it. Topics include history'
  ➜ Parsing at 6783: 'of special education, the Individuals with Disabilities Education Act, the No Child Left Behind Act, FAPE (free, appropriate public education), and least'

🔍 parse_program: starting at line 6783: 'of special education, the Individuals with Disabilities Education Act, the No Child Left Behind Act, FAPE (free, appropriate public education), and least'
  ➜ Title candidate: 'of special education, the Individuals with Disabilities Education Act, the No Child Left Behind Act, FAPE (free, appropriate public education), and least'
  ❌ Invalid title line: 'of special education, the Individuals with Disabilities Education Act, the No Child Left Behind Act, FAPE (free, appropriate public education), and least'
  ➜ Parsing at 6784: 'restrictive environments.'

🔍 parse_program: starting at line 6784: 'restrictive environments.'
  ➜ Title candidate: 'restrictive environments.'
  ❌ Invalid title line: 'restrictive environments.'
  ➜ Parsing at 6785: 'FCC2 - Introduction to Special Education, Law and Legal Issues, Policies and Procedures - Introduction to Special Education, Law and Legal'

🔍 parse_program: starting at line 6785: 'FCC2 - Introduction to Special Education, Law and Legal Issues, Policies and Procedures - Introduction to Special Education, Law and Legal'
  ➜ Title candidate: 'FCC2 - Introduction to Special Education, Law and Legal Issues, Policies and Procedures - Introduction to Special Education, Law and Legal'
  ❌ Invalid title line: 'FCC2 - Introduction to Special Education, Law and Legal Issues, Policies and Procedures - Introduction to Special Education, Law and Legal'
  ➜ Parsing at 6786: 'Issues, Policies and Procedures introduces the history and nature of special education and how it relates to general education, as well as specific'

🔍 parse_program: starting at line 6786: 'Issues, Policies and Procedures introduces the history and nature of special education and how it relates to general education, as well as specific'
  ➜ Title candidate: 'Issues, Policies and Procedures introduces the history and nature of special education and how it relates to general education, as well as specific'
  ❌ Invalid title line: 'Issues, Policies and Procedures introduces the history and nature of special education and how it relates to general education, as well as specific'
  ➜ Parsing at 6787: 'legal acts and concepts governing it. Topics include history of special education, the Individuals with Disabilities Education Act, the No Child Left'

🔍 parse_program: starting at line 6787: 'legal acts and concepts governing it. Topics include history of special education, the Individuals with Disabilities Education Act, the No Child Left'
  ➜ Title candidate: 'legal acts and concepts governing it. Topics include history of special education, the Individuals with Disabilities Education Act, the No Child Left'
  ❌ Invalid title line: 'legal acts and concepts governing it. Topics include history of special education, the Individuals with Disabilities Education Act, the No Child Left'
  ➜ Parsing at 6788: 'Behind Act, FAPE (free, appropriate public education), and least restrictive environments.'

🔍 parse_program: starting at line 6788: 'Behind Act, FAPE (free, appropriate public education), and least restrictive environments.'
  ➜ Title candidate: 'Behind Act, FAPE (free, appropriate public education), and least restrictive environments.'
  ❌ Invalid title line: 'Behind Act, FAPE (free, appropriate public education), and least restrictive environments.'
  ➜ Parsing at 6789: 'FEA1 - Field Experience for ELL - Field Experience for ELL is the field experience component of the English Language Learning program. In this'

🔍 parse_program: starting at line 6789: 'FEA1 - Field Experience for ELL - Field Experience for ELL is the field experience component of the English Language Learning program. In this'
  ➜ Title candidate: 'FEA1 - Field Experience for ELL - Field Experience for ELL is the field experience component of the English Language Learning program. In this'
  ❌ Invalid title line: 'FEA1 - Field Experience for ELL - Field Experience for ELL is the field experience component of the English Language Learning program. In this'
  ➜ Parsing at 6790: 'experience, students are required to complete a minimum of 15 hours of observations at both elementary and secondary levels. Additionally, a'

🔍 parse_program: starting at line 6790: 'experience, students are required to complete a minimum of 15 hours of observations at both elementary and secondary levels. Additionally, a'
  ➜ Title candidate: 'experience, students are required to complete a minimum of 15 hours of observations at both elementary and secondary levels. Additionally, a'
  ❌ Invalid title line: 'experience, students are required to complete a minimum of 15 hours of observations at both elementary and secondary levels. Additionally, a'
  ➜ Parsing at 6791: 'supervised teaching experience that is face-to-face with English language learners according to the minimum time requirements of your state is'

🔍 parse_program: starting at line 6791: 'supervised teaching experience that is face-to-face with English language learners according to the minimum time requirements of your state is'
  ➜ Title candidate: 'supervised teaching experience that is face-to-face with English language learners according to the minimum time requirements of your state is'
  ❌ Invalid title line: 'supervised teaching experience that is face-to-face with English language learners according to the minimum time requirements of your state is'
  ➜ Parsing at 6792: 'required. The purpose of this course is to assess the ability of the student including their engagement in field experience activities, ability to reflect on'

🔍 parse_program: starting at line 6792: 'required. The purpose of this course is to assess the ability of the student including their engagement in field experience activities, ability to reflect on'
  ➜ Title candidate: 'required. The purpose of this course is to assess the ability of the student including their engagement in field experience activities, ability to reflect on'
  ❌ Invalid title line: 'required. The purpose of this course is to assess the ability of the student including their engagement in field experience activities, ability to reflect on'
  ➜ Parsing at 6793: 'and then plan standards-based instruction in ELL, and their ability to locate and effectively use resources for teaching ELL to meet the needs of their'

🔍 parse_program: starting at line 6793: 'and then plan standards-based instruction in ELL, and their ability to locate and effectively use resources for teaching ELL to meet the needs of their'
  ➜ Title candidate: 'and then plan standards-based instruction in ELL, and their ability to locate and effectively use resources for teaching ELL to meet the needs of their'
  ❌ Invalid title line: 'and then plan standards-based instruction in ELL, and their ability to locate and effectively use resources for teaching ELL to meet the needs of their'
  ➜ Parsing at 6794: 'individual students.'

🔍 parse_program: starting at line 6794: 'individual students.'
  ➜ Title candidate: 'individual students.'
  ❌ Invalid title line: 'individual students.'
  ➜ Parsing at 6795: 'FJC1 - Psychoeducational Assessment Practices and IEP Development/Implementation - Psychoeducational Assessment Practices and IEP'

🔍 parse_program: starting at line 6795: 'FJC1 - Psychoeducational Assessment Practices and IEP Development/Implementation - Psychoeducational Assessment Practices and IEP'
  ➜ Title candidate: 'FJC1 - Psychoeducational Assessment Practices and IEP Development/Implementation - Psychoeducational Assessment Practices and IEP'
  ❌ Invalid title line: 'FJC1 - Psychoeducational Assessment Practices and IEP Development/Implementation - Psychoeducational Assessment Practices and IEP'
  ➜ Parsing at 6796: 'Development/Implementation prepares students to apply knowledge the IEP as they work with students who have mild to moderate disabilities in a'

🔍 parse_program: starting at line 6796: 'Development/Implementation prepares students to apply knowledge the IEP as they work with students who have mild to moderate disabilities in a'
  ➜ Title candidate: 'Development/Implementation prepares students to apply knowledge the IEP as they work with students who have mild to moderate disabilities in a'
  ❌ Invalid title line: 'Development/Implementation prepares students to apply knowledge the IEP as they work with students who have mild to moderate disabilities in a'
  ➜ Parsing at 6797: 'wide variety of possible situations, all with an emphasis on cross-categorical inclusion. It helps students gain fluency in their understanding of the 13'

🔍 parse_program: starting at line 6797: 'wide variety of possible situations, all with an emphasis on cross-categorical inclusion. It helps students gain fluency in their understanding of the 13'
  ➜ Title candidate: 'wide variety of possible situations, all with an emphasis on cross-categorical inclusion. It helps students gain fluency in their understanding of the 13'
  ❌ Invalid title line: 'wide variety of possible situations, all with an emphasis on cross-categorical inclusion. It helps students gain fluency in their understanding of the 13'
  ➜ Parsing at 6798: 'disability categories, assessment, curriculum, and instruction.'

🔍 parse_program: starting at line 6798: 'disability categories, assessment, curriculum, and instruction.'
  ➜ Title candidate: 'disability categories, assessment, curriculum, and instruction.'
  ❌ Invalid title line: 'disability categories, assessment, curriculum, and instruction.'
  ➜ Parsing at 6799: 'FJC2 - Psychoeducational Assessment Practices and IEP Development/Implementation - Psychoeducational Assessment Practices and IEP'

🔍 parse_program: starting at line 6799: 'FJC2 - Psychoeducational Assessment Practices and IEP Development/Implementation - Psychoeducational Assessment Practices and IEP'
  ➜ Title candidate: 'FJC2 - Psychoeducational Assessment Practices and IEP Development/Implementation - Psychoeducational Assessment Practices and IEP'
  ❌ Invalid title line: 'FJC2 - Psychoeducational Assessment Practices and IEP Development/Implementation - Psychoeducational Assessment Practices and IEP'
  ➜ Parsing at 6800: 'Development/Implementation prepares students to apply knowledge the IEP as they work with students who have mild to moderate disabilities in a'

🔍 parse_program: starting at line 6800: 'Development/Implementation prepares students to apply knowledge the IEP as they work with students who have mild to moderate disabilities in a'
  ➜ Title candidate: 'Development/Implementation prepares students to apply knowledge the IEP as they work with students who have mild to moderate disabilities in a'
  ❌ Invalid title line: 'Development/Implementation prepares students to apply knowledge the IEP as they work with students who have mild to moderate disabilities in a'
  ➜ Parsing at 6801: 'wide variety of possible situations, all with an emphasis on cross-categorical inclusion. It helps students gain fluency in their understanding of the 13'

🔍 parse_program: starting at line 6801: 'wide variety of possible situations, all with an emphasis on cross-categorical inclusion. It helps students gain fluency in their understanding of the 13'
  ➜ Title candidate: 'wide variety of possible situations, all with an emphasis on cross-categorical inclusion. It helps students gain fluency in their understanding of the 13'
  ❌ Invalid title line: 'wide variety of possible situations, all with an emphasis on cross-categorical inclusion. It helps students gain fluency in their understanding of the 13'
  ➜ Parsing at 6802: 'disability categories, assessment, curriculum, and instruction.'

🔍 parse_program: starting at line 6802: 'disability categories, assessment, curriculum, and instruction.'
  ➜ Title candidate: 'disability categories, assessment, curriculum, and instruction.'
  ❌ Invalid title line: 'disability categories, assessment, curriculum, and instruction.'
  ➜ Parsing at 6803: 'FLC1 - Instructional Models and Design, Supervision and Culturally Response Teaching - Instructional Models and Design, Supervision and'

🔍 parse_program: starting at line 6803: 'FLC1 - Instructional Models and Design, Supervision and Culturally Response Teaching - Instructional Models and Design, Supervision and'
  ➜ Title candidate: 'FLC1 - Instructional Models and Design, Supervision and Culturally Response Teaching - Instructional Models and Design, Supervision and'
  ❌ Invalid title line: 'FLC1 - Instructional Models and Design, Supervision and Culturally Response Teaching - Instructional Models and Design, Supervision and'
  ➜ Parsing at 6804: 'Culturally Response Teaching helps students understand the role of special education in the development of instruction, why this field exists separate'

🔍 parse_program: starting at line 6804: 'Culturally Response Teaching helps students understand the role of special education in the development of instruction, why this field exists separate'
  ➜ Title candidate: 'Culturally Response Teaching helps students understand the role of special education in the development of instruction, why this field exists separate'
  ❌ Invalid title line: 'Culturally Response Teaching helps students understand the role of special education in the development of instruction, why this field exists separate'
  ➜ Parsing at 6805: 'from and in conjunction with general education, where it is going, and how they can help coordinate inclusion for students. Students will gain expertise'

🔍 parse_program: starting at line 6805: 'from and in conjunction with general education, where it is going, and how they can help coordinate inclusion for students. Students will gain expertise'
  ➜ Title candidate: 'from and in conjunction with general education, where it is going, and how they can help coordinate inclusion for students. Students will gain expertise'
  ❌ Invalid title line: 'from and in conjunction with general education, where it is going, and how they can help coordinate inclusion for students. Students will gain expertise'
  ➜ Parsing at 6806: 'in developing instructional, curricular, and environmental interventions based on assessment data and student need.'

🔍 parse_program: starting at line 6806: 'in developing instructional, curricular, and environmental interventions based on assessment data and student need.'
  ➜ Title candidate: 'in developing instructional, curricular, and environmental interventions based on assessment data and student need.'
  ❌ Invalid title line: 'in developing instructional, curricular, and environmental interventions based on assessment data and student need.'
  ➜ Parsing at 6807: 'FLC2 - Instructional Models and Design, Supervision and Culturally Responsive Teaching - Instructional Models and Design, Supervision and'

🔍 parse_program: starting at line 6807: 'FLC2 - Instructional Models and Design, Supervision and Culturally Responsive Teaching - Instructional Models and Design, Supervision and'
  ➜ Title candidate: 'FLC2 - Instructional Models and Design, Supervision and Culturally Responsive Teaching - Instructional Models and Design, Supervision and'
  ❌ Invalid title line: 'FLC2 - Instructional Models and Design, Supervision and Culturally Responsive Teaching - Instructional Models and Design, Supervision and'
  ➜ Parsing at 6808: 'Culturally Responsive Teaching helps students understand the role of special education in the development of instruction, why this field exists'

🔍 parse_program: starting at line 6808: 'Culturally Responsive Teaching helps students understand the role of special education in the development of instruction, why this field exists'
  ➜ Title candidate: 'Culturally Responsive Teaching helps students understand the role of special education in the development of instruction, why this field exists'
  ❌ Invalid title line: 'Culturally Responsive Teaching helps students understand the role of special education in the development of instruction, why this field exists'
  ➜ Parsing at 6809: 'separate from and in conjunction with general education, where it is going, and how they can help coordinate inclusion for students. Students will gain'

🔍 parse_program: starting at line 6809: 'separate from and in conjunction with general education, where it is going, and how they can help coordinate inclusion for students. Students will gain'
  ➜ Title candidate: 'separate from and in conjunction with general education, where it is going, and how they can help coordinate inclusion for students. Students will gain'
  ❌ Invalid title line: 'separate from and in conjunction with general education, where it is going, and how they can help coordinate inclusion for students. Students will gain'
  ➜ Parsing at 6810: 'expertise in developing instructional, curricular, and environmental interventions based on assessment data and student need.'

🔍 parse_program: starting at line 6810: 'expertise in developing instructional, curricular, and environmental interventions based on assessment data and student need.'
  ➜ Title candidate: 'expertise in developing instructional, curricular, and environmental interventions based on assessment data and student need.'
  ❌ Invalid title line: 'expertise in developing instructional, curricular, and environmental interventions based on assessment data and student need.'
  ➜ Parsing at 6811: '© Western Governors University 7/19/17 172'

🔍 parse_program: starting at line 6811: '© Western Governors University 7/19/17 172'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'FVC1 - Global Business - This course provides an introduction to global business. The advantages of global production and the benefits of trade are'
  ➜ Skipping stray line: 'critical aspects of global business. Many factors influence global business, such as transparency, geography, corruption, intellectual property'
  ➜ Skipping stray line: 'protections, outsourcing and off-shoring, operation management, and generally accepted accounting principles.'
  ➜ Skipping stray line: 'FXT2 - Disaster Recovery Planning, Prevention and Response - This course prepares students to plan and execute industry best practices related'
  ➜ Skipping stray line: 'to conducting organization-wide information assurance initiatives and to preparing an organization for implementing a comprehensive Information'
  ➜ Skipping stray line: 'Assurance Management program.'
  ➜ Skipping stray line: 'HMP1 - Cases in Advanced Human Resource Management - During Cases in Advanced Human Resource Management students apply their'
  ➜ Skipping stray line: 'knowledge of human resource management by completing a case study. Students will apply critical human resource strategies in the areas of'
  ➜ Skipping stray line: 'legal/regulatory compliance, recruitment and selection of personnel, performance and feedback mechanisms, and financial and benefits'
  ➜ Skipping stray line: 'compensation.'
  ➜ Skipping stray line: 'IDC1 - Foundations of Instructional Design - Foundations of Instructional Design provides an overview of how to select the most appropriate'
  ➜ Skipping stray line: 'learning theories, design processes, and instructional strategies based on learner audience, instructional setting, and current and desired state of'
  ➜ Skipping stray line: 'learning.'
  ➜ Skipping stray line: 'IYT2 - Introduction to Curriculum Theory - For over 200 years, educators in the United States have debated the purpose of education. Should'
  ➜ Skipping stray line: 'education be for enlightenment or to prepare students for the life of work? Should education be for many or for a select few? These questions continue'
  ➜ Skipping stray line: 'to be debated today. Through curriculum theory and reflection, educators have an educational framework by which to understand how theory and'
  ➜ Skipping stray line: 'one's philosophical views can impact the design, development, and implementation of curriculum and instruction. With this in mind, Introduction to'
  ➜ Skipping stray line: 'Curriculum Theory focuses on exploring and applying an understanding of Scholar Academic, Social Efficiency, Learner Centered, and Social'
  ➜ Skipping stray line: 'Reconstruction ideologies in various instructional settings and on the development on one’s own curriculum philosophy.'
  ➜ Skipping stray line: 'IZT2 - Learning Theories - Learning Theories focuses on the complexity of the current learning environment and how behaviorism, cognitivism,'
  ➜ Skipping stray line: 'constructivism, and personal learning philosophy can assist in the development of appropriate curriculum and instruction.'
  ➜ Skipping stray line: 'JIT2 - Risk Management - Content focuses on categorizing levels of risk and understanding how risk can impact the operations of the business'
  ➜ Skipping stray line: 'through a scenario involving the creation of a risk management program and business continuity program for a company and a business situation'
  ➜ Skipping stray line: 'reacting to a crisis/disaster situation affecting the company.'
  ➜ Skipping stray line: 'JNT2 - Instructional Design Analysis - Instructional Design Analysis focuses on using analysis of needs to determine the needs and interests of'
  ➜ Skipping stray line: 'learners, and scope and sequence for developing a logical approach for an education program to formulate appropriate and measurable program'
  ➜ Skipping stray line: 'objectives.'
  ➜ Skipping stray line: 'JOT2 - Issues in Instructional Design - Issues in Instructional Design focuses on learning theories, learner analysis, scope and sequence,'
  ➜ Skipping stray line: 'instructional strategies, task analysis and design theories, media and technology foundations, and adaptive technologies for special populations for'
  ➜ Skipping stray line: 'creating effective, well-articulated, and efficient instruction.'
  ➜ Skipping stray line: 'JPT2 - Instructional Design Production - Instructional Design Production focuses on the application of a systematic process of instructional design,'
  ➜ Skipping stray line: 'namely the concepts and procedure for analyzing and designing successful instruction. This course will prepare students to conduct a goal analysis, a'
  ➜ Skipping stray line: 'process used to identify instructional goals, as well as a task analysis, which is used to determine the skills and knowledge required to accomplish'
  ➜ Skipping stray line: 'those goals. This course also focuses on writing performance objectives, designing assessments, and developing instruction that incorporates relevant'
  ➜ Skipping stray line: 'learning theories. Methods for formatively evaluating a unit of instruction are also introduced. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'JQT2 - Issues in Measurement and Evaluation - Issues in Measurement and Evaluation focuses on the understanding of formative and summative'
  ➜ Skipping stray line: 'evaluation, quantitative and qualitative data collection tools, including rubrics and the processes of evaluation.'
  ➜ Skipping stray line: 'JRT2 - Evaluation Methodology and Instrumentation - Evaluation Methodology and Instrumentation focuses on using qualitative and quantitative'
  ➜ Skipping stray line: 'data collection tools and techniques to construct and evaluate valid and reliable measuring instruments.'
  ➜ Skipping stray line: 'JST2 - Evaluation Process and Recommendation - Evaluation Process and Recommendation focuses on implementing and interpreting an'
  ➜ Skipping stray line: 'evaluation and the reporting of the results and recommendations to stakeholders.'
  ➜ Skipping stray line: 'JWT2 - Instructional Theory - Instructional Theory focuses on exploring instructional design theory and related models and processes. Students will'
  ➜ Skipping stray line: 'apply instructional design principles to the design and delivery of plans to meet the learning needs found in the instructional setting.'
  ➜ Skipping stray line: 'JXT2 - Educational Psychology - Educational Psychology examines the latest findings in child and adolescent development and provides educators'
  ➜ Skipping stray line: 'the opportunity to apply educational psychology to various instructional settings. Students will explore the areas of applied educational psychology to'
  ➜ Skipping stray line: 'teaching, cognitive development, social development, and cultural development. They will design, develop, modify, and evaluate curriculum and'
  ➜ Skipping stray line: 'instruction in various educational settings according to child/adolescent development.'
  ➜ Skipping stray line: 'JYT2 - Curriculum Design - Curriculum Design focuses on exploring curriculum design theory, educational standards, and design frameworks for'
  ➜ Skipping stray line: 'what to teach. Together these topics will provide educators with the ability to take principles of curriculum design theory and related models and apply'
  ➜ Skipping stray line: 'them when developing, designing, and modifying curriculum to meet learning needs in their instructional setting.'
  ➜ Skipping stray line: 'JZT2 - Curriculum Evaluation - Curriculum Evaluation focuses on exploring evaluation systems and student data to determine the effectiveness of'
  ➜ Skipping stray line: 'curriculum. It also focuses on differentiating curriculum based on student data.'
  ➜ Skipping stray line: 'KAT2 - Assessment for Student Learning - Assessment for Student Learning focuses on developing the knowledge and skills to identify, develop,'
  ➜ Skipping stray line: 'and design instrument tools for evaluating student learning. It also explores the use of objective and performance-based, formative, and summative'
  ➜ Skipping stray line: 'assessments and their results in the evaluation of curriculum and instruction for student learning.'
  ➜ Skipping stray line: 'KBT2 - Differentiated Instruction - Differentiated Instruction focuses on developing and implementing curriculum and instruction that that best meets'
  ➜ Skipping stray line: 'the needs of all learners within a given instructional setting.'
  ➜ Skipping stray line: 'LEC1 - Comprehensive Educational Leadership Integration - You will complete a comprehensive objective proctored assessment in Educational'
  ➜ Skipping stray line: 'Leadership theory and practices, including administrative theory, school law, school finance, curriculum development and implementation, personnel'
  ➜ Skipping stray line: 'management, public relations, and technology. You will be required to pass the Comprehensive Educational Leadership Integration objective'
  ➜ Skipping stray line: 'assessment.'
  ➜ Skipping stray line: 'LFT1 - Student, Stakeholder, and Market Focus for Educational Leaders - This subdomain reviews principles and practices of meeting'
  ➜ Skipping stray line: 'stakeholder needs and reviews your case study site’s effectiveness in managing stakeholder relationships.'
  ➜ Skipping stray line: 'LMT1 - Measurement, Analysis, and Knowledge Management for Educational Leaders - This subdomain reviews principles and practices of'
  ➜ Skipping stray line: 'program and curriculum effectiveness evaluation as well as best practices in technology for educational leaders. You also complete a program,'
  ➜ Skipping stray line: 'practice, or curriculum effectiveness evaluation in your case study site as well as an evaluation of technology implementation.'
  ➜ Skipping stray line: 'LNT1 - Process Management for Educational Leaders - This subdomain reviews best practices in process management for educational leaders, as'
  ➜ Skipping stray line: 'well as an evaluation of your case study site’s process management policies and practices.'
  ➜ Skipping stray line: 'LPA1 - Language Production, Theory and Acquisition - Language Production, Theory and Acquisition focuses on describing and understanding'
  ➜ Skipping stray line: 'language and the development of language. It includes the study of acquisition theory, grammar, and applied phonetics.'
  ➜ Skipping stray line: 'LPT1 - Performance Excellence Criteria for Educational Leaders - This subdomain reviews the case study model and prepares you to complete a'
  ➜ Skipping stray line: 'thorough review of the effectiveness of their case study site’s operations, outcomes, and leadership.'
  ➜ Skipping stray line: 'LQT2 - Information Security and Assurance Capstone Project - Students will be able to choose from three areas of emphasis, depending on'
  ➜ Skipping stray line: 'personal and professional interests. Students will complete a capstone project that deals with a significant real-world business problem that further'
  ➜ Skipping stray line: 'integrates the components of the degree. Capstone projects will require an oral defense before a committee of WGU faculty.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 173'
  ➜ Skipping stray line: 'LRT1 - Practicum in Educational Leadership - Foundational Perspectives of Education includes a series of performance tasks to take place under'
  ➜ Skipping stray line: 'the leadership of a practicing state licensed school principal or assistant principal in a practicum school site (K–12). This assessment also includes'
  ➜ Skipping stray line: 'completion of assigned administrative duties to take place in both elementary (K–6) and secondary (7–12) settings under the leadership and'
  ➜ Skipping stray line: 'supervision of the cooperating administrator in your case study school site. Practicum requirements vary by state of intended licensure and WGU'
  ➜ Skipping stray line: 'program requirements, and the standard has been set between 275 and 540 of logged practicum activities that span a minimum of six consecutive'
  ➜ Skipping stray line: 'months. Please refer back to the WGU Student Handbook for reference of your program requirements. You are required to pass the Practicum in'
  ➜ Skipping stray line: 'Educational Leadership performance assessments and successfully submit other documentation, including evaluations of your performance'
  ➜ Skipping stray line: 'completed by the cooperating administrator and documentation of completion of state-required hours of assigned administrative duties. The'
  ➜ Skipping stray line: 'Educational Leadership Practicum requires a practicum fee. During the Educational Leadership Practicum, you are also expected to take and pass'
  ➜ Skipping stray line: 'your state's licensure examination(s) required for certification as a school principal and the PRAXIS 5411 Educational Leadership: Administration and'
  ➜ Skipping stray line: 'Supervision exam.'
  ➜ Skipping stray line: 'LST1 - Strategic Planning for Educational Leaders - This subdomain reviews principles and practices of the strategic planning process as well as a'
  ➜ Skipping stray line: 'case study review of the strategic planning processes in your case study site.'
  ➜ Skipping stray line: 'LWT1 - Workforce Focus for Educational Leaders - This subdomain reviews best practices in human resource administration for educational'
  ➜ Skipping stray line: 'leaders, as well as an evaluation of your case study site’s workforce management practices.'
  ➜ Skipping stray line: 'LZT2 - Power, Influence and Leadership - This course focuses on the development of the critical leadership and soft skills necessary for success in'
  ➜ Skipping stray line: 'information technology leadership and management. The course focuses specifically on skills such as cultivating effective leadership communication,'
  ➜ Skipping stray line: 'building personal influence, enhancing emotional intelligence (soft skills), generating ideas and encouraging idea generation in others, conflict'
  ➜ Skipping stray line: 'resolution, and positioning oneself as an influential change agent within different organizational cultures.'
  ➜ Skipping stray line: 'MAT2 - Information Technology Management - This course will prepare students to cope with information technology resources in a manner'
  ➜ Skipping stray line: 'beneficial to their company. Such skill includes estimating both the cost and value of IT to the company, setting priorities for project selection,'
  ➜ Skipping stray line: 'management of IT projects, and handling risk. These responsibilities imply an ability to align technology with an organization’s strategic goals. In total,'
  ➜ Skipping stray line: 'students will develop the ability to effectively administer and manage current and emerging technologies within an organization.'
  ➜ Skipping stray line: 'MBT2 - Technological Globalization - This course is designed to equip students to better understand the fundamental, galvanizing and'
  ➜ Skipping stray line: 'transformational role of advanced IT communications, networks and services in all major industries; advanced IT is an unparalleled force multiplier in'
  ➜ Skipping stray line: 'scientific research, energy production and use, health and medicine. IT is a critical resource in the global community, economically, socially, politically'
  ➜ Skipping stray line: 'and culturally.'
  ➜ Skipping stray line: 'MCT2 - Technical Writing - As IT professionals are frequently required to interface with customers, clients, other departments, organizational leaders,'
  ➜ Skipping stray line: 'and even other institutions, strong communication skills are vital. In this course, students learn to communicate accurately, effectively, and ethically to'
  ➜ Skipping stray line: 'a variety of audiences. Students design communication to fit oral, print, and multi-media contexts. They develop rhetorical sensitivity in both their'
  ➜ Skipping stray line: 'writing and their design decisions.'
  ➜ Skipping stray line: 'MEC1 - Foundations of Measurement and Evaluation - Foundations of Measurement and Evaluation focuses on assessment validity, constructing'
  ➜ Skipping stray line: 'reliable test instruments, identifying appropriate item and instrument types, qualitative data collection tools and techniques, and conducting a formative'
  ➜ Skipping stray line: 'and summative evaluation for an instruction product or program.'
  ➜ Skipping stray line: 'MFT2 - Mathematics (K-6) Portfolio Oral Defense - Mathematics (K-6) Portfolio Oral Defense: Mathematics (K-6) Portfolio Defense focuses on a'
  ➜ Skipping stray line: 'formal presentation. The student will present an overview of their teacher work sample (TWS) portfolio discussing the challenges they faced and how'
  ➜ Skipping stray line: 'they determined whether their goals were accomplished. They will explain the process they went through to develop the TWS portfolio and reflect on'
  ➜ Skipping stray line: 'the methodologies and outcomes of the strategies discussed in the TWS portfolio. Additionally, they will discuss the strengths and weaknesses of'
  ➜ Skipping stray line: 'those strategies and how they can apply what they learned from the TWS portfolio in their professional work environment.'
  ➜ Skipping stray line: 'MGT2 - IT Project Management - IT Project Management provides an overview of the Project Management Institute’s project management'
  ➜ Skipping stray line: 'methodology. Topics cover various process groups and knowledge areas and application of knowledge in case studies for planning a project that has'
  ➜ Skipping stray line: 'not started yet and monitoring/controlling a project that is already underway.'
  ➜ Skipping stray line: 'MMT2 - IT Strategic Solutions - In IT Strategic Solutions the learner will have the opportunity to identify strategic opportunities and emerging'
  ➜ Skipping stray line: 'technologies as they research and decide on a system to support a growing company. Topics will include technology strategy; gap analysis;'
  ➜ Skipping stray line: 'researching new technology; strengths, opportunities, weaknesses, and threats; ethics; risk mitigation; data security, communication plans; and'
  ➜ Skipping stray line: 'globalization.'
  ➜ Skipping stray line: 'NHC1 - Introduction to Instructional Planning and Presentation - Students will develop a basic understanding of effective instructional principles'
  ➜ Skipping stray line: 'and how to differentiate instruction in order to elicit powerful teaching in the classroom.'
  ➜ Skipping stray line: 'NMA1 - Professional Role of the ELL Teacher - The Professional Role of the ELL Teacher focuses on issues of professionalism for the English'
  ➜ Skipping stray line: 'Language Learning teacher and leader. This includes program development, ethics, engagement in professional organizations, serving as a resource,'
  ➜ Skipping stray line: 'and ELL advocacy.'
  ➜ Skipping stray line: 'NNA1 - Planning, Implementing, Managing Instruction - Planning, Implementing, Managing Instruction focuses on a variety of philosophies and'
  ➜ Skipping stray line: 'grade levels of English Language Learner (ELL) instruction. It includes the study of ELL listening and speaking, ELL reading and writing, specially'
  ➜ Skipping stray line: 'designed academic instruction in English (SDAIE), and specific issues for various grade level instruction.'
  ➜ Skipping stray line: 'OOT2 - Mathematics History and Technology - Mathematics History and Technology introduces a variety of technological tools for doing'
  ➜ Skipping stray line: 'mathematics, and you will develop a broad understanding of the historical development of mathematics. You will come to understand that'
  ➜ Skipping stray line: 'mathematics is a very human subject that comes from the macro-level sweep of cultural and societal change, as well as the micro-level actions of'
  ➜ Skipping stray line: 'individuals with personal, professional, and philosophical motivations. Most importantly, you will learn to evaluate and apply technological tools and'
  ➜ Skipping stray line: 'historical information to create an enriching student-centered mathematical learning environment. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'OPT2 - Mathematics Learning and Teaching - Mathematics Learning and Teaching will help you develop the knowledge and skills necessary to'
  ➜ Skipping stray line: 'become a prospective and practicing educator. You will be able to use a variety of instructional strategies to effectively facilitate the learning of'
  ➜ Skipping stray line: 'mathematics. This course focuses on selecting appropriate resources, using multiple strategies, and instructional planning, with methods based on'
  ➜ Skipping stray line: 'research and problem solving. A deep understanding of the knowledge, skills, and disposition of mathematics pedagogy is necessary to become an'
  ➜ Skipping stray line: 'effective secondary mathematics educator. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'PFHM - Business - HR Management Portfolio Requirement - Students prepare a culminating professional portfolio to demonstrate the'
  ➜ Skipping stray line: 'competencies they have learned throughout their program. The portfolio includes a strengths essay, a career report, a reflection essay, a résumé, and'
  ➜ Skipping stray line: 'exhibits demonstrating personal strengths in the work place.'
  ➜ Skipping stray line: 'PFIT - Business - IT Management Portfolio Requirement - Business - IT Management Portfolio Requirement is designed to help the learner'
  ➜ Skipping stray line: 'complete the culminating Undergraduate Business Portfolio assessment; it focuses on developing a business portfolio containing a strengths essay, a'
  ➜ Skipping stray line: 'career report, a reflection essay, a resume, and exhibits that support one’s strengths in the work place.'
  ➜ Skipping stray line: 'QDT1 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'
  ➜ Skipping stray line: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'
  ➜ Skipping stray line: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'
  ➜ Skipping stray line: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'
  ➜ Skipping stray line: 'Algebra is a prerequisite for this course.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 174'
  ➜ Skipping stray line: 'QDT2 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'
  ➜ Skipping stray line: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'
  ➜ Skipping stray line: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'
  ➜ Skipping stray line: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'
  ➜ Skipping stray line: 'Algebra is a prerequisite for this course.'
  ➜ Skipping stray line: 'QET1 - Business - HR Management Capstone Project - For the Business - HR Management Capstone Project students will integrate and'
  ➜ Skipping stray line: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ➜ Skipping stray line: 'professional field. A comprehensive business plan is developed for a company that offers HR products or services. The business plan includes a'
  ➜ Skipping stray line: 'market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ➜ Skipping stray line: 'QFT1 - Business - IT Management Capstone Project - The capstone requires students to demonstrate the integration and synthesis of'
  ➜ Skipping stray line: 'competencies in all domains required for the degree in Information Technology Management. The student produces a business plan for a start-up'
  ➜ Skipping stray line: 'company that is selected and approved by the student and mentor.'
  ➜ Skipping stray line: 'QGT1 - Business Management Capstone Written Project - For the Business Management Capstone Written Project students will integrate and'
  ➜ Skipping stray line: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ➜ Skipping stray line: 'professional field. A comprehensive business plan is developed for a company that plans to sell a product or service in a local market, national'
  ➜ Skipping stray line: 'market, or on the Internet. The business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to'
  ➜ Skipping stray line: 'the chosen company.'
  ➜ Skipping stray line: 'QHT1 - Business Management Tasks - Business Management Tasks addresses important concepts needed to effectively manage a'
  ➜ Skipping stray line: 'business. Topics include the cost-quality relationship, the use of various types of graphical charts in operations management, managing innovation,'
  ➜ Skipping stray line: 'and developing strategies for working with individuals and groups.'
  ➜ Skipping stray line: 'QIT1 - Business Marketing Management Capstone Written Project - For the Business Marketing Management Capstone Project students will'
  ➜ Skipping stray line: 'integrate and synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their'
  ➜ Skipping stray line: 'chosen professional field. A comprehensive business plan is developed for a company that provides some type of marketing product or service. The'
  ➜ Skipping stray line: 'business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ➜ Skipping stray line: 'QJT2 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to use'
  ➜ Skipping stray line: 'differential calculus of one variable and appropriate technology to solve basic problems. Topics include graphing functions and finding their domains'
  ➜ Skipping stray line: 'and ranges; limits, continuity, differentiability, visual, analytical, and conceptual approaches to the definition of the derivative; the power, chain, and'
  ➜ Skipping stray line: 'sum rules applied to polynomial and exponential functions, position and velocity; and L'Hopital's Rule. Candidates should have completed a course in'
  ➜ Skipping stray line: 'Pre-Calculus before engaging in this course.'
  ➜ Skipping stray line: 'QTT2 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ➜ Skipping stray line: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ➜ Skipping stray line: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ➜ Skipping stray line: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'RKT1 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ➜ Skipping stray line: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ➜ Skipping stray line: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ➜ Skipping stray line: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ➜ Skipping stray line: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ➜ Skipping stray line: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'RKT2 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ➜ Skipping stray line: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ➜ Skipping stray line: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ➜ Skipping stray line: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ➜ Skipping stray line: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ➜ Skipping stray line: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'RNT1 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ➜ Skipping stray line: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ➜ Skipping stray line: 'RNT2 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ➜ Skipping stray line: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ➜ Skipping stray line: 'RXT2 - Precalculus and Calculus - Precalculus and Calculus provides instruction in precalculus and calculus and applies them to examples found in'
  ➜ Skipping stray line: 'both mathematics and science. Topics in precalculus include principles of trigonometry, mathematical modeling, and logarithmic, exponential,'
  ➜ Skipping stray line: 'polynomial, and rational functions. Topics in calculus include conceptual knowledge of limit, continuity, differentiability, and integration.'
  ➜ Skipping stray line: 'SJT2 - Advanced Networking Technology - This course prepares students to support the ever growing interconnectivity needs of organizations.'
  ➜ Skipping stray line: 'Students will learn about advanced networking concepts, devices and strategies to provide superior network connectivity to organizations. A review of'
  ➜ Skipping stray line: 'common yet critical network devices and technologies will be provided such as switches, routers, hubs, firewalls, T-1s, ATM, fiber and others.'
  ➜ Skipping stray line: 'Students will also be prepared to review existing network environments and provide specifications to upgrade and enhance such networks.'
  ➜ Skipping stray line: 'SLO1 - Theories of Second Language Acquisition and Grammar - Theories of Second Language Learning Acquisition and Grammar covers'
  ➜ Skipping stray line: 'content material in applied linguistics, including morphology, syntax, semantics, and grammar. Students will explore the role of dialect in the'
  ➜ Skipping stray line: 'classroom, the connections between language and culture, and the theories of first and second language acquisition.'
  ➜ Skipping stray line: 'TAT2 - Technology Production - Technology Production focuses on the foundations of media and technology, integrated technology development,'
  ➜ Skipping stray line: 'and the integration of technology into appropriate instructional uses of productivity, and applying different research applications in the learning'
  ➜ Skipping stray line: 'environment.'
  ➜ Skipping stray line: 'TDT1 - Technology Design Portfolio - Technology Design Portfolio focuses on gaining a broad overview of the field of technology integration with a'
  ➜ Skipping stray line: 'fundamental understanding of some key concepts and principles, and enhancing technology skills to enable the producing of exportable instructional'
  ➜ Skipping stray line: 'and professional products using various integrated application programs.'
  ➜ Skipping stray line: 'TET1 - Issues in Technology Integration - Issues in Technology Integration focuses on the legal and ethical practice of technology, some personal'
  ➜ Skipping stray line: 'uses of electronic resources, the need for protection of information, the foundations of media and technology, what electronic learning communities'
  ➜ Skipping stray line: 'are, and the adaptive technologies for special populations.'
  ➜ Skipping stray line: 'TFT2 - Cyberlaw, Regulations, and Compliance - Cyberlaw, Regulations and Compliance prepares students to participate in legal analysis of'
  ➜ Skipping stray line: 'relevant cyberlaws and address governance, standards, policies, and legislation. Students will conduct a security risk analysis for an enterprise'
  ➜ Skipping stray line: 'system. In addition, students will determine cyber requirements for third‐party vendor agreements. Students will also evaluate provisions of both the'
  ➜ Skipping stray line: '2001 and 2006 USA PATRIOT Acts.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 175'
  ➜ Skipping stray line: 'TOC2 - Probability and Statistics I - Probability and Statistics I covers the knowledge and skills necessary to apply basic probability, descriptive'
  ➜ Skipping stray line: 'statistics, and statistical reasoning, and to use appropriate technology to model and solve real-life problems. It provides an introduction to the science'
  ➜ Skipping stray line: 'of collecting, processing, analyzing, and interpreting data. Topics include creating and interpreting numerical summaries and visual displays of data;'
  ➜ Skipping stray line: 'regression lines and correlation; evaluating sampling methods and their effect on possible conclusions; designing observational studies, controlled'
  ➜ Skipping stray line: 'experiments, and surveys; and determining probabilities using simulations, diagrams, and probability rules. College Algebra is a prerequisite for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'TQC1 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Skipping stray line: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Skipping stray line: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Skipping stray line: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Skipping stray line: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Skipping stray line: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Skipping stray line: 'TQC2 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Skipping stray line: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Skipping stray line: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Skipping stray line: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Skipping stray line: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Skipping stray line: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Skipping stray line: 'TSC2 - General Chemistry I - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Skipping stray line: 'solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic table and chemical'
  ➜ Skipping stray line: 'nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work focuses on using'
  ➜ Skipping stray line: 'effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TSP1 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Skipping stray line: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Skipping stray line: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TSP2 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Skipping stray line: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Skipping stray line: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TUC2 - General Chemistry II - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Skipping stray line: 'solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models, oxidation-reduction'
  ➜ Skipping stray line: 'reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on using effective'
  ➜ Skipping stray line: 'laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TUP1 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Skipping stray line: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Skipping stray line: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TUP2 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Skipping stray line: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Skipping stray line: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TVT2 - Governance, Finance, Law, and Leadership for Principals - This subdomain contains content in educational law, finance, and'
  ➜ Skipping stray line: 'administration as well as a case study review of your site’s leadership practices.'
  ➜ Skipping stray line: 'UFC1 - Managerial Accounting - This course focuses on identifying, gathering, and interpreting information that will be used for evaluating and'
  ➜ Skipping stray line: 'managing the performance of a business. Students will also study cost measurement for producing goods and services and how to analyze and'
  ➜ Skipping stray line: 'control these costs.'
  ➜ Skipping stray line: 'UQT1 - Organic Chemistry - This course focuses on the study of compounds that contain carbon, much of which is learning how to organize and'
  ➜ Skipping stray line: 'group these compounds based on common bonds found within them in order to predict their structure, behavior, and reactivity.'
  ➜ Skipping stray line: 'VLT2 - Security Policies and Standards - Best Practices - This course focuses on the practices of planning and implementing organization-wide'
  ➜ Skipping stray line: 'security and assurance initiatives as well as auditing assurance processes.'
  ➜ Skipping stray line: 'VYC1 - Principles of Accounting - Principles of Accounting focuses on ways in which accounting principles are used in business operations.'
  ➜ Skipping stray line: 'Students will learn about the basics of accounting, including how to use Generally Accepted Accounting Principles (GAAP), ledgers, and journals.'
  ➜ Skipping stray line: 'Students will also be introduced to the steps of the accounting cycle, concepts of assets and liabilities, and general information about accounting'
  ➜ Skipping stray line: 'information systems. This course also presents bank reconciliation methods, balance sheets, and business ethics.'
  ➜ Skipping stray line: 'VZT1 - Marketing Applications - Marketing Applications allows students to apply their knowledge of core marketing principles by creating a'
  ➜ Skipping stray line: 'comprehensive marketing plan. Their plan will apply their knowledge of the marketing planning process, market analysis, and the marketing mix'
  ➜ Skipping stray line: '(product, place, promotion, and price).'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 176'
  ➜ Skipping stray line: 'Course Mentor Directory'
  ➜ Skipping stray line: 'General Education'
  ➜ Skipping stray line: 'Adams, William; M.A., Savanah College of Art and Design'
  ➜ Skipping stray line: 'Aguirre, Jennifer; M.S., Walden University'
  ➜ Skipping stray line: 'Akens, Jonne; Ph. D., Texas A&M University'
  ➜ Skipping stray line: 'Alexander, Ledora; Ed.S., Walden University'
  ➜ Skipping stray line: 'Ashe, James; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Barnes, Lauri; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Baty, Amanda; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Benson, Bryan; Ph.D., Boston College'
  ➜ Skipping stray line: 'Bilbrey, Joshua; Ph.D., Texas State University'
  ➜ Skipping stray line: 'Borden, Anne; Ph.D., Emory University'
  ➜ Skipping stray line: 'Brewer, Craig: Ph.D., University of Notre Dame'
  ➜ Skipping stray line: 'Brown, Bonnie; Ph.D., Stephen F. Austin State University'
  ➜ Skipping stray line: 'Browning, Ellen; Ph.D., University of Texas, Arlington'
  ➜ Skipping stray line: 'Buchanan, Tenielle; Ed.D., Lipscomb University'
  ➜ Skipping stray line: 'Byrnes, Sean; Ph.D., Emory University'
  ➜ Skipping stray line: 'Carmona, Karla; M.S., Western Governors University'
  ➜ Skipping stray line: 'Castaneda, Gilivaldo; M.Ed., University of Texas at San Antonio'
  ➜ Skipping stray line: 'Chaves Ulloa, Ramsa; Ph.D., Dartmouth College'
  ➜ Skipping stray line: 'Chittick, Sharla; Ph.D., University of Stirling'
  ➜ Skipping stray line: 'Condit, Lorna; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Cowan, Christy; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Crawford, Nathan; Ph.D., University of Tennessee-Knoxville'
  ➜ Skipping stray line: 'Crooks, Kathleen; Ph.D., University of Akron'
  ➜ Skipping stray line: 'Cross, Cameron; M.S., Kaplan University'
  ➜ Skipping stray line: 'Cureton, Sara; M.A., Gonzaga Univeristy'
  ➜ Skipping stray line: 'Cutler, Ned; Ph.D., Duke University'
  ➜ Skipping stray line: 'Dodge, Joshua; M.A., University of Central Florida'
  ➜ Skipping stray line: 'Dorre, Gina; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Douglas, Katherine; M.A., University of California, San Diego'
  ➜ Skipping stray line: 'Duff, Kandi; Ed.D., Idaho State University'
  ➜ Skipping stray line: 'Dungar, Michael; MA, Boston College'
  ➜ Skipping stray line: 'Edmunds, Jeffrey; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Evans, Robin; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Evenson Newhouse, Ranae; Ph.D., Vanderbilt University'
  ➜ Skipping stray line: 'Faucett, Jessica; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Fehnel, Bradley; M.S., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Fellow, Jill; M.S., Brigham Young University'
  ➜ Skipping stray line: 'Franco, Heidi; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Frusciante, Denise; Ph.D., University of Miami'
  ➜ Skipping stray line: 'Galindez, Dahlia; MA, Western Governors University'
  ➜ Skipping stray line: 'Gangaram, Jitendra; Ph.D., North Central University'
  ➜ Skipping stray line: 'Garrett, Janette; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Goodwin, Rachel; Ph.D., University of Texas'
  ➜ Skipping stray line: 'Gordon, Kelley; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Gravitte, Kristen; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Gradzielewski, Andrew; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Halula, Stephen; Ph.D., Marquette University'
  ➜ Skipping stray line: 'Harris, Steven; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Hartwick, Andromeda; Ph.D., University of Michigan'
  ➜ Skipping stray line: 'Hayne, Victoria; Ph.D., University of California - Los Angeles'
  ➜ Skipping stray line: 'Hernandez, Ali; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Hillyer, Aaron; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Horne, Lisa; M.A., Brigham Young University'
  ➜ Skipping stray line: 'Hurley, Norman; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Jensen, Taylor; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Johnson, Stephanie; MBA, Lindenwood University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 177'
  ➜ Skipping stray line: 'Jones, Lee; Ph.D., Clark Atlanta University'
  ➜ Skipping stray line: 'Kelley, Matthew; Ph.D., University of Nevada-Las Vegas'
  ➜ Skipping stray line: 'Kelly, Lynn; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Knieps, Linda; Ph.D., Vanderbilt University'
  ➜ Skipping stray line: 'Knous, Helen; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Landry, Stan; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Latham, Kary; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Lauren, Jennifer; Ph.D., Duquesne University'
  ➜ Skipping stray line: 'Leep, Matthew; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Lettau, Lisa; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Little, David; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Lukin, Kara; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Main, Daniel; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Mammen, John; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Mantooth, Stacy; Ph. D., University of Nevada – Las Vegas'
  ➜ Skipping stray line: 'Martin, Jonathan; M.A., West Virginia University'
  ➜ Skipping stray line: 'Mays, Ashley; Ph.D., University of North Carolina at Chapel Hill'
  ➜ Skipping stray line: 'McCune, Timothy; Ph.D., Youngstown State University'
  ➜ Skipping stray line: 'McWatters, Mason; Ph.D., University of Texas at Austin'
  ➜ Skipping stray line: 'Metoki, Kiyoko; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Meyer, Nicholas; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Miller, Don; Ph.D., Morehouse School of Medicine'
  ➜ Skipping stray line: 'Miller, Kathleen; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Moody, Vivian; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Mosgrove, Sharon; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Moss, Meg; Ph.D., University of Tennessee-Knoxville'
  ➜ Skipping stray line: 'Mzoughi, Taha; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Nelson, Angela; Ph.D., Cornell University'
  ➜ Skipping stray line: 'Nicley, Erinn; M.S., Florida State University'
  ➜ Skipping stray line: 'Norton, Cindy; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Olson, Nels; Ph.D., Michigan State University'
  ➜ Skipping stray line: 'Oulette, David; Ph.D., Virginia Commonwealth University'
  ➜ Skipping stray line: 'Palmer, Michael; M.F.A., University of Utah'
  ➜ Skipping stray line: 'Pankowski, Peg; Ed.D., Duquesne University'
  ➜ Skipping stray line: 'Parrish, Anca; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Parton, Sabrena; Ph.D., University of Southern Mississippi'
  ➜ Skipping stray line: 'Parvin, Kathleen; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Peppers, Shelitha; Ed.D., Maryville University'
  ➜ Skipping stray line: 'Perkins, Heidi; M.S., Excelsior College'
  ➜ Skipping stray line: 'Phillips, Dedra; M.A., Colorado Technical University'
  ➜ Skipping stray line: 'Potter, Christine; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Quintela, Melissa; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Radosavljevic, Alexander; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Redden, Cameron; MAT, Baldwin Wallace University'
  ➜ Skipping stray line: 'Redkey, Elizabeth; Ph.D., University at Albany, State University of New York'
  ➜ Skipping stray line: 'Remington, Theodore; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Rhodes, Kristofer; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Robinson, Ami; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Robinson, Jeffery; Ph.D., Drew University'
  ➜ Skipping stray line: 'Rosenblatt, Heather; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Rossi, Cynthia; Ph.D., University of Maryland'
  ➜ Skipping stray line: 'Saddler, Derrick; Ph.D., University of South Florida'
  ➜ Skipping stray line: 'Sanchez, Melvin; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Scheg, Abigail; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Scheib, Douglas; Ph.D., University of Miami'
  ➜ Skipping stray line: 'Scotece, Shannon; Ph.D., State University of New York - Albany'
  ➜ Skipping stray line: 'Shahi, Kimberley; Ph.D., University of Texas at Arlington'
  ➜ Skipping stray line: 'Sharpe, Robert; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Shimotsu-Dariol, Stephanie; Ph.D., West Virginia University'
  ➜ Skipping stray line: 'Simeon, Patricia; Ed.D., Grambling State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 178'
  ➜ Skipping stray line: 'Simmons, Nathaniel; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Smith, Tommie; MBA, Middle Tennessee State University'
  ➜ Skipping stray line: 'Springfield, Derriell; Ed.D., East Tennessee State University'
  ➜ Skipping stray line: 'St Martin, Ashley; M.S., University of Vermont'
  ➜ Skipping stray line: 'Stambaugh, Nathaniel; Ph.D., Brandeis University'
  ➜ Skipping stray line: 'Starr, Neil; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Timmer, Kristin; Ph.D., University of Tennessee Health Science Center'
  ➜ Skipping stray line: 'Tolin Schultz, Alexandra; Ph.D., Stony Brook University'
  ➜ Skipping stray line: 'Tucker, Diana; Ph.D., Southern Illinois University Carbondale'
  ➜ Skipping stray line: 'Tweedy, Joanna; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Verber, Jason; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Vida, Anna; M.A., Arizona State University'
  ➜ Skipping stray line: 'Walker, Hope; M.A., The American University'
  ➜ Skipping stray line: 'Weaver, Matthew; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Webb, James; M.A., Pacific University'
  ➜ Skipping stray line: 'Wellinghoff, Lisa; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Westmoreland, Brandi; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Whitson-Whennen, Tonya; M.M., University of Utah'
  ➜ Skipping stray line: 'Woolridge, Mary; Ph.D., University of Central Florida'
  ➜ Skipping stray line: 'Young, Michael; Ph.D., University of Missouri at Saint Louis'
  ➜ Skipping stray line: 'Zasadny, Jill; Ph.D., Kansas University'
  ➜ Skipping stray line: 'Teachers College'
  ➜ Skipping stray line: 'Aafif, Amal; Ph.D., Drexel University'
  ➜ Skipping stray line: 'Affleck, Alisa; M.A., Western Governors University'
  ➜ Skipping stray line: 'Allen, Elizabeth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Aranda, Christina; M.A., University of Utah'
  ➜ Skipping stray line: 'Aufderhaar, Carolyn; Ed.D., University of Cincinnati'
  ➜ Skipping stray line: 'Baxter, Marissa; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Belchik-Moser, Sara; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Betts, Anastasia; Ph.D., Regent University'
  ➜ Skipping stray line: 'Blanks, Dorothy; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Boen, Laurie; Ph.D., University of Arkansas'
  ➜ Skipping stray line: 'Boyd-Bradwell, Natasha; Ph.D., Capella University'
  ➜ Skipping stray line: 'Branan, Daniel; Ph.D., University of Denver'
  ➜ Skipping stray line: 'Branch, Leah; Ed.D., Bethel University'
  ➜ Skipping stray line: 'Brogan, Lynn; Ed.D., Columbia University'
  ➜ Skipping stray line: 'Brooks, Marlaina; Ed.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Calero, Lisa; Ph.D., Capella University'
  ➜ Skipping stray line: 'Carey, Kimberly; Ph.D., Old Dominion University'
  ➜ Skipping stray line: 'Cartwright, Nancy; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'Cohen, Kimberley; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Constanza, Michele; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Covey, Nicole; Ed.D., University of Memphis'
  ➜ Skipping stray line: 'Douglas, Deanna; Ph.D., Wichita State University'
  ➜ Skipping stray line: 'Dove, Teresa; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Dukes, Debra; Ed.D., University of Georgia'
  ➜ Skipping stray line: 'Durakiewicz, Anna; M.S., University of Marie Curie'
  ➜ Skipping stray line: 'Eisenhour, Melanie; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Feng, Suiping; Ph.D., City University of New York'
  ➜ Skipping stray line: 'Fillpot, Elsie; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Flavin, Kathryn; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Flores, Alberto; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Francis, David; M.A., Western Governors University'
  ➜ Skipping stray line: 'Giddens, Evelyn; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gillman, Brenna; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Gray-Dowdy, Audra; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Hall, Robert; Ph.D., Capella University'
  ➜ Skipping stray line: 'Halverson, Colleen; Ph.D., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Harbin, Lesley; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 179'
  ➜ Skipping stray line: 'Hardin, Bridgette; Ed.D., Texas A&M University-Corpus Christi'
  ➜ Skipping stray line: 'Hedman, Shawn; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Henry, Joanna; M.E., Lamar University'
  ➜ Skipping stray line: 'Hernandez, Julie; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Hiebel, Adam; Ed.D., Ohio University'
  ➜ Skipping stray line: 'Hudon-Miller, Sarah; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Hughes, Amy; Ed.D., University of Montana'
  ➜ Skipping stray line: 'Hutson, Tommye; Ed.D., Baylor University'
  ➜ Skipping stray line: 'Igbinoba-Cummings, Monique; Ph.D., Lynn University'
  ➜ Skipping stray line: 'Izumi, Alisa; Ed.D., University of Massachusetts'
  ➜ Skipping stray line: 'Jacobs, Patricia; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Janitzki, Dean; M.A., University of Toledo'
  ➜ Skipping stray line: 'Johnson, Sherri; Ph.D., Capella University'
  ➜ Skipping stray line: 'Jovic, Marko; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Kain, Meri; Ed.D., University of Missouri'
  ➜ Skipping stray line: 'Kelly, Gretchen; Ed.D., Walden University'
  ➜ Skipping stray line: 'Leinbach, William; Ed.D., Oregon State University'
  ➜ Skipping stray line: 'Lindemann, Steven; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Linkenhoker, Dina; Ed.D., Liberty University'
  ➜ Skipping stray line: 'Lipscomb, Pauline; Ed.D., University of the Cumberlands'
  ➜ Skipping stray line: 'Luster, Sandricia; Ed.S., Argosy University'
  ➜ Skipping stray line: 'McCarver, Patricia; Ph.D., California Institute of Integral Studies'
  ➜ Skipping stray line: 'McDaniel, Maryann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'McGrath Hovland, Michelle; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Mendes, John; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Miller, Esther; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Mills, Ginger; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Moore, Tontaleya; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Morgan, Matthew; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Mour, Jennifer; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Murray, Mary; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Obianyo, Obiamaka; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Odom, M. Katherine; Ph.D., University of South Alabama'
  ➜ Skipping stray line: 'O’Malley, Maureen; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Pack, Mamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Parry, Kelly; Ph.D., University of North Texas'
  ➜ Skipping stray line: 'Purnell, Courtney; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Quinn, Lori; M.A.Ed., Prairie View A&M University'
  ➜ Skipping stray line: 'Rahsaz, Jacqueline; M.A., University of California San Diego'
  ➜ Skipping stray line: 'Randonis, Jennifer; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Rawson, Robert; Ph.D., University of Texas Southwestern'
  ➜ Skipping stray line: 'Richen, Damara; Ed.D., Fielding Graduate University'
  ➜ Skipping stray line: 'Robles, Veronica; Ed.D., Arizona State University'
  ➜ Skipping stray line: 'Rogers, Carmelle; Ph.D., Kansas State University'
  ➜ Skipping stray line: 'Russell-Fry, Nancy; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Scales, Rebecca; M.A., Western Governors University'
  ➜ Skipping stray line: 'Schmidt, Stan; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Sepetys, Peggy; Ed.D., University of Michigan'
  ➜ Skipping stray line: 'Shrader, Vincent; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Silver, Jennifer; Ph.D., New York University'
  ➜ Skipping stray line: 'Sims, Rachel; Ed.D., Walden University'
  ➜ Skipping stray line: 'Smith, Janeal; Ph.D., Walden University'
  ➜ Skipping stray line: 'Spencer, Kristin; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Story, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Swenson, Karl; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Thompson, Julie; Ph.D., University of Rochester'
  ➜ Skipping stray line: 'Traub-Metlay, Suzanne; Ph.D., University of Pittsburg'
  ➜ Skipping stray line: 'Tresnak, Robyn; Ph.D., Walden University'
  ➜ Skipping stray line: 'Turner, Carmen; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Vickers, Paul; Ed.D., Stephen F. Austin State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 180'
  ➜ Skipping stray line: 'Walter-Sullivan, Earnestyne; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'Weinstein, Gideon; Ph.D., Indiana University Bloomington'
  ➜ Skipping stray line: 'Whitmire, Jane; Ph.D., University of Montana'
  ➜ Skipping stray line: 'Willey-Rendon, Ruby; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Williams, Lacey; Ed.D., Union Institute and University'
  ➜ Skipping stray line: 'Wisnosky, Marc; Ph.D., University of Pittsburgh'
  ➜ Skipping stray line: 'Yanusheva, Lidiya; Ed.D., Walden University'
  ➜ Skipping stray line: 'Yatherajam, Gayatri; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Zartman, Krista; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Zimmerli, Mandy; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'College of Business'
  ➜ Skipping stray line: 'Abubakari, Nina; J.D., Wayne State University'
  ➜ Skipping stray line: 'Adler, Kathleen; Ph.D., Southern Methodist University'
  ➜ Skipping stray line: 'Alafita, Theresa; Ph.D., George Washington University'
  ➜ Skipping stray line: 'Arenz, Russell; Ph.D., Colorado Technical University'
  ➜ Skipping stray line: 'Argiento, Steven; J.D., Pace University'
  ➜ Skipping stray line: 'Austin, Judy; MBA, Western Governors University'
  ➜ Skipping stray line: 'Baragoshi, Behroz; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Barton, Robert; Ed.S., Utah State University'
  ➜ Skipping stray line: 'Black, Hilda; Ph.D., Louisiana Tech University'
  ➜ Skipping stray line: 'Borch, Casey; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Boysen-Rotelli, Sheila; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Brownstein, Steven; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Carson, Pook; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Cassell, Kenneth; MBA, San Jose State University'
  ➜ Skipping stray line: 'Cherry, Patricia; Ph.D., Capella University'
  ➜ Skipping stray line: 'Clarke, Jeffrey; Ph.D., University of California-Los Angeles'
  ➜ Skipping stray line: 'Connor, Martin; J.D., University of North Dakota'
  ➜ Skipping stray line: 'Davis, Lorretta; Ph.D., Capella University'
  ➜ Skipping stray line: 'Davis, Mary; Ed.D., Central Michigan University'
  ➜ Skipping stray line: 'Doctorman, Lindsey; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Doren, Andrew; D.M., University of Maryland'
  ➜ Skipping stray line: 'Dula, Kimberly; Ph.D., Mercer University'
  ➜ Skipping stray line: 'Duran, Anthony; DBA, Grand Canyon University'
  ➜ Skipping stray line: 'Ennis, Erica; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Etter, Edwin; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Feehery, George; DBA, Nova Southeastern University'
  ➜ Skipping stray line: 'Fisher, Paul; Ph.D., Oregon State University'
  ➜ Skipping stray line: 'Gallo, Merry; DBA, Argosy University'
  ➜ Skipping stray line: 'Garland, Jennifer; DBA, Keiser University'
  ➜ Skipping stray line: 'Geddes, Bruce; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gilyot, Bianca; MBA, Northcentral University'
  ➜ Skipping stray line: 'Giscombe, Hilbert; DBA, Argosy University'
  ➜ Skipping stray line: 'Gough, Gregory; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Green, Maurice; Ph.D., University at Albany – State University of New York'
  ➜ Skipping stray line: 'Gunn, Linda; Ph.D., Union Institute and University'
  ➜ Skipping stray line: 'Havins, Merwin; Ed.D., Northern Arizona University'
  ➜ Skipping stray line: 'Heinzman, Joseph; DM, Colorado Technical University'
  ➜ Skipping stray line: 'Hon, Charles; Ph.D., Capella University'
  ➜ Skipping stray line: 'Hudson, Brandi; J.D., Regent University'
  ➜ Skipping stray line: 'Iannucci, Brian; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Imboden, Paul; DBA., Northcentral University'
  ➜ Skipping stray line: 'Jividen, Jim; J.D., Ohio Northern University'
  ➜ Skipping stray line: 'Jones, Alan; MBA, Dartmouth College'
  ➜ Skipping stray line: 'Justice, Jeanne; DBA, Walden University'
  ➜ Skipping stray line: 'Kale, Mrinalini; Ph.D., Capella University'
  ➜ Skipping stray line: 'Kenny, Timothy; M.S., Regis University'
  ➜ Skipping stray line: 'Kowalski, Christine; Ed.D., National Louis University'
  ➜ Skipping stray line: 'Kushniroff, Melinda; Ed.D., Liberty University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 181'
  ➜ Skipping stray line: 'La Hay, Ann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Lagroue, Harold; Ph.D., Louisiana State University'
  ➜ Skipping stray line: 'Lamer, Maryann; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Langdon, Debra; MBA, Denver University'
  ➜ Skipping stray line: 'Lutter-Cooper, Victoria; Ph.D., Capella University'
  ➜ Skipping stray line: 'Marshall, Mario; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'McClesky, Jamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'McNulty, Peggy; Ph.D., University of Colorado-Colorado Springs'
  ➜ Skipping stray line: 'Melton, Rebecca; Ph.D., Chicago School of Professional Psychology'
  ➜ Skipping stray line: 'Mills, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Moore, Detria; J.D., Liberty University'
  ➜ Skipping stray line: 'Neely, Cecil; MBA, University of North Carolina at Greensboro'
  ➜ Skipping stray line: 'Nelms, Linda; Ph.D., Capella University'
  ➜ Skipping stray line: 'Nelson, Camille; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'O’Brien, Joseph; Ed.D., George Washington University'
  ➜ Skipping stray line: 'Openshaw, Matthew; Ph.D., University of Texas at Dallas'
  ➜ Skipping stray line: 'Parish, Beth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Patterson, Julie; Ph.D., University of Illinois at Urbana-Champaign'
  ➜ Skipping stray line: 'Pawarski, Richard; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Phillips, Patti; J.D., Stetson University'
  ➜ Skipping stray line: 'Pratt, Christopher; DHA, University of Phoenix'
  ➜ Skipping stray line: 'Raimo, Steve; DSL, Regent University'
  ➜ Skipping stray line: 'Richardson, Shay; DBA, Walden University'
  ➜ Skipping stray line: 'Roberts, Tracia; M.S., University of Phoenix'
  ➜ Skipping stray line: 'Roberts, Wade; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Rogers, Katie; MBA, University of Utah'
  ➜ Skipping stray line: 'Sawant, Gauri; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Shah, Rob; MBA, DeVry University'
  ➜ Skipping stray line: 'Shepherd, Tracie; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Skinner, Susan; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Snipes, Dawna; J.D., Western Michigan University'
  ➜ Skipping stray line: 'Souder, Michele; MBA, University of Dayton'
  ➜ Skipping stray line: 'Spicer, Ronald; Ph.D., Capella University'
  ➜ Skipping stray line: 'Stewart, Michelle; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Strickland, Cynthia; Ph.D., Touro University International'
  ➜ Skipping stray line: 'Swarthout, Nanette; MBA, Fontbonne University'
  ➜ Skipping stray line: 'Tapp, Timothy; MHA, Washington University'
  ➜ Skipping stray line: 'Thomas, Melanie; J.D., University of North Carolina'
  ➜ Skipping stray line: 'Venkateswar, Sankaran; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Wachter, Eddie; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Wade, Keith; MBA, University of Detroit'
  ➜ Skipping stray line: 'Walker, Natalie; DBA, Keiser University'
  ➜ Skipping stray line: 'Wang, Xiaofei; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Williams, Pegeen; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Williams, Rian; MPA, University of Utah'
  ➜ Skipping stray line: 'Wood, Carrie; M.S., Strayer University'
  ➜ Skipping stray line: 'College of Information Technology'
  ➜ Skipping stray line: 'Al-Husaam, Abdul; Ph.D., Capella University'
  ➜ Skipping stray line: 'Alberici, Mary; Ph.D., University of Missouri-St. Louis'
  ➜ Skipping stray line: 'Allen, Candice; M.A., Capella University'
  ➜ Skipping stray line: 'Antonucci, Amy; M.S., University of Delaware'
  ➜ Skipping stray line: 'Banerjee, Pubali; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'Beverley, Charles; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Blanson, Constance; Ph.D., Capella University'
  ➜ Skipping stray line: 'Bojonny, John; M.S., Marywood University'
  ➜ Skipping stray line: 'Borsum, Pamela; MBA, Western Governors University'
  ➜ Skipping stray line: 'Campbell, Wendy; DBA, Northcentral University'
  ➜ Skipping stray line: 'Carter, Betty; M.S., Troy University'
  ➜ Skipping stray line: 'Cobbs, Dana; M.S., College of William and Mary'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 182'
  ➜ Skipping stray line: 'Cook, Henry; M.S., Clark Atlanta University'
  ➜ Skipping stray line: 'Crawford, Demetria; M.S., Boston University'
  ➜ Skipping stray line: 'Dupree, Yolanda; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Farmer, Jaynee; M.A., University of Arkansas at Little Rock'
  ➜ Skipping stray line: 'Ferdinand, Jeff; M.S., Trident University International'
  ➜ Skipping stray line: 'Gardner, Diana; MBA, Western Governors University'
  ➜ Skipping stray line: 'Garza, Brian; M.S., Western Governors University'
  ➜ Skipping stray line: 'Goodwin, Orenthio; Ph.D., Capella University'
  ➜ Skipping stray line: 'Heiner, Jenny; M.S., Capitol College'
  ➜ Skipping stray line: 'Huff, David; Ph.D., Wayne State University'
  ➜ Skipping stray line: 'Jensen, Bryan; M.S., Bellvue University'
  ➜ Skipping stray line: 'Kercher, Paul; M.S., Missouri University of Science and Technology'
  ➜ Skipping stray line: 'LaMolinare, Deana; M.S., Duquesne University'
  ➜ Skipping stray line: 'Lang, Cythia; MSCHe, University of Maryland'
  ➜ Skipping stray line: 'Lavieri, Edward; DCS, Colorado Technical University'
  ➜ Skipping stray line: 'Light, Gerri; M.S., Walden University'
  ➜ Skipping stray line: 'Lively, Charles; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'McFarlane, Michele; M.S., DeVry University'
  ➜ Skipping stray line: 'McLaughlin, Mike; M.S., University of Maine'
  ➜ Skipping stray line: 'Mendell, Ronald; M.S., Capitol College'
  ➜ Skipping stray line: 'Milham, Thomas; MNCM, DeVry University'
  ➜ Skipping stray line: 'Moore, Ronald; M.A., Troy University'
  ➜ Skipping stray line: 'Morrill, Ralph; Ph.D., North Central University'
  ➜ Skipping stray line: 'Ntinglet-Davis, Emelda; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Ozmer, Connie; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Paddock, Charles; Ph.D., University of Houston'
  ➜ Skipping stray line: 'Peterson, Michael; Ph.D., Capella University'
  ➜ Skipping stray line: 'Pinaire, Ken; MBA, University of Texas at Dallas'
  ➜ Skipping stray line: 'Rawlinson, David; J.D., South Texas College of Law'
  ➜ Skipping stray line: 'Schaefer, Brett; MBA, DeVry University'
  ➜ Skipping stray line: 'Shenk, Maria; M.S., City University of Seattle'
  ➜ Skipping stray line: 'Scutro, Rebecca; M.S., Saint Joseph’s University'
  ➜ Skipping stray line: 'Sewell, William; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Sher-DeCusatis, Carolyn; M.A., State University of New York at Stony Brook'
  ➜ Skipping stray line: 'Shields, Jessica; MFA, Savannah College of Art and Design'
  ➜ Skipping stray line: 'Sistelos, Antonio; Ph.D., Indiana State University'
  ➜ Skipping stray line: 'Stromberg, Scott; M.S., Nova Southeastern University'
  ➜ Skipping stray line: 'Swanson, Tom; Ph.D., Capella University'
  ➜ Skipping stray line: 'Taylor, Julinda; M.S., Wichita State University'
  ➜ Skipping stray line: 'Travis, Susan; M.A., University of Phoenix'
  ➜ Skipping stray line: 'College of Health Professions'
  ➜ Skipping stray line: 'Abdur-Rahman, Veronica; Ph.D., Texas Woman’s University'
  ➜ Skipping stray line: 'Abee, Debra; M.S., University of North Carolina Greensboro'
  ➜ Skipping stray line: 'Abraham, Gail; MSN/ED, University of Phoenix'
  ➜ Skipping stray line: 'Adams, Lora; M.S., Michigan State University'
  ➜ Skipping stray line: 'Adkins, Dee; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Allen, Juanita; DNP, University of Utah'
  ➜ Skipping stray line: 'Ashby, Shelley; DNP, University of Southern Indiana'
  ➜ Skipping stray line: 'Austgen, Donna; M.S., University of Indianapolis'
  ➜ Skipping stray line: 'Barber, Kendar; M.S., Indiana University'
  ➜ Skipping stray line: 'Battle, Linda; DNP, Regis College'
  ➜ Skipping stray line: 'Benoit, Heidi; M.S., Western Governors University'
  ➜ Skipping stray line: 'Benson, Johnett; DNP, Kent State University'
  ➜ Skipping stray line: 'Bergfeld, Marcia; M.S., Lourdes College'
  ➜ Skipping stray line: 'Berndt, Janeen; DNP, Valparaiso University'
  ➜ Skipping stray line: 'Blaine, Stephanie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Cain, Lyn; Ph.D., Grand Canyon University'
  ➜ Skipping stray line: 'Carney, Mary; DNP, Touro University – Nevada'
  ➜ Skipping stray line: 'Chau-Nguyen, Thao; MPH, Tulane University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 183'
  ➜ Skipping stray line: 'Cleveland, Melissa; DNP, Rocky Mountain University'
  ➜ Skipping stray line: 'Cloonan, Kelly; DNP, Case Western Reserve'
  ➜ Skipping stray line: 'Dahdal, Kimberly; M.S., Western Governors University'
  ➜ Skipping stray line: 'Dantzler, Barbara; Ph.D., Trident University'
  ➜ Skipping stray line: 'Diaz, Constance; Ph.D., University of Northern Colorado'
  ➜ Skipping stray line: 'Diaz, Lorna; DNP, Western University of Health Sciences'
  ➜ Skipping stray line: 'Dorin, Michelle; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Dush, Curtis; M.S., East Tennessee State University'
  ➜ Skipping stray line: 'Elmer, Justine; M.S., Kaplan University'
  ➜ Skipping stray line: 'Englert, Mary; DNP, University of North Florida'
  ➜ Skipping stray line: 'Feather, Rebecca; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Frankie, Sandra; M.S., Western Governors University'
  ➜ Skipping stray line: 'Gabel, Ann; M.S., University of Kansas'
  ➜ Skipping stray line: 'Gayol, Marcos; M.S., Aspen University'
  ➜ Skipping stray line: 'Giaquinto, Elisa; M.A., Brown University'
  ➜ Skipping stray line: 'Gogatz, Debra; DNP, Regis University'
  ➜ Skipping stray line: 'Golden, Christina; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Gottesfeld, Ilene; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Gwyn, Elizabeth; M.S., Winston Salem State University'
  ➜ Skipping stray line: 'Hadsell, Christine; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Hansen, Julie; Ph.D., South Dakota State University'
  ➜ Skipping stray line: 'Hartley-Clanton, Patricia; M.S., University of Utah'
  ➜ Skipping stray line: 'Hawkins, Shannon; M.S., Walden University'
  ➜ Skipping stray line: 'Heyer-Schmidt, Theres-Anne; ND, University of Colorado-Denver'
  ➜ Skipping stray line: 'Hill, Dana; Ph.D., Walden University'
  ➜ Skipping stray line: 'Hunt, Eleanor; M.S., Duke University'
  ➜ Skipping stray line: 'Johnson-Anderson, Heidi; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Kangas, Sandra; Ph.D., Georgia State University'
  ➜ Skipping stray line: 'Kogan, Lisa; M.S., Western Governors University'
  ➜ Skipping stray line: 'Langer Atkinson, Heidi; Ph.D., University of Albany'
  ➜ Skipping stray line: 'Lashlee, Marilyn; DNP, Northeastern University'
  ➜ Skipping stray line: 'Long, Jennifer; M.S., Indiana University'
  ➜ Skipping stray line: 'Marshall, Janet; Ph.D., Rush University'
  ➜ Title candidate: 'Masterson, Debra; Ed.D., Liberty University'
  ✔️ Collected description (40 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 6812: 'FVC1 - Global Business - This course provides an introduction to global business. The advantages of global production and the benefits of trade are'

🔍 parse_program: starting at line 6812: 'FVC1 - Global Business - This course provides an introduction to global business. The advantages of global production and the benefits of trade are'
  ➜ Title candidate: 'FVC1 - Global Business - This course provides an introduction to global business. The advantages of global production and the benefits of trade are'
  ❌ Invalid title line: 'FVC1 - Global Business - This course provides an introduction to global business. The advantages of global production and the benefits of trade are'
  ➜ Parsing at 6813: 'critical aspects of global business. Many factors influence global business, such as transparency, geography, corruption, intellectual property'

🔍 parse_program: starting at line 6813: 'critical aspects of global business. Many factors influence global business, such as transparency, geography, corruption, intellectual property'
  ➜ Title candidate: 'critical aspects of global business. Many factors influence global business, such as transparency, geography, corruption, intellectual property'
  ❌ Invalid title line: 'critical aspects of global business. Many factors influence global business, such as transparency, geography, corruption, intellectual property'
  ➜ Parsing at 6814: 'protections, outsourcing and off-shoring, operation management, and generally accepted accounting principles.'

🔍 parse_program: starting at line 6814: 'protections, outsourcing and off-shoring, operation management, and generally accepted accounting principles.'
  ➜ Title candidate: 'protections, outsourcing and off-shoring, operation management, and generally accepted accounting principles.'
  ❌ Invalid title line: 'protections, outsourcing and off-shoring, operation management, and generally accepted accounting principles.'
  ➜ Parsing at 6815: 'FXT2 - Disaster Recovery Planning, Prevention and Response - This course prepares students to plan and execute industry best practices related'

🔍 parse_program: starting at line 6815: 'FXT2 - Disaster Recovery Planning, Prevention and Response - This course prepares students to plan and execute industry best practices related'
  ➜ Title candidate: 'FXT2 - Disaster Recovery Planning, Prevention and Response - This course prepares students to plan and execute industry best practices related'
  ❌ Invalid title line: 'FXT2 - Disaster Recovery Planning, Prevention and Response - This course prepares students to plan and execute industry best practices related'
  ➜ Parsing at 6816: 'to conducting organization-wide information assurance initiatives and to preparing an organization for implementing a comprehensive Information'

🔍 parse_program: starting at line 6816: 'to conducting organization-wide information assurance initiatives and to preparing an organization for implementing a comprehensive Information'
  ➜ Title candidate: 'to conducting organization-wide information assurance initiatives and to preparing an organization for implementing a comprehensive Information'
  ❌ Invalid title line: 'to conducting organization-wide information assurance initiatives and to preparing an organization for implementing a comprehensive Information'
  ➜ Parsing at 6817: 'Assurance Management program.'

🔍 parse_program: starting at line 6817: 'Assurance Management program.'
  ➜ Title candidate: 'Assurance Management program.'
  ❌ Invalid title line: 'Assurance Management program.'
  ➜ Parsing at 6818: 'HMP1 - Cases in Advanced Human Resource Management - During Cases in Advanced Human Resource Management students apply their'

🔍 parse_program: starting at line 6818: 'HMP1 - Cases in Advanced Human Resource Management - During Cases in Advanced Human Resource Management students apply their'
  ➜ Title candidate: 'HMP1 - Cases in Advanced Human Resource Management - During Cases in Advanced Human Resource Management students apply their'
  ❌ Invalid title line: 'HMP1 - Cases in Advanced Human Resource Management - During Cases in Advanced Human Resource Management students apply their'
  ➜ Parsing at 6819: 'knowledge of human resource management by completing a case study. Students will apply critical human resource strategies in the areas of'

🔍 parse_program: starting at line 6819: 'knowledge of human resource management by completing a case study. Students will apply critical human resource strategies in the areas of'
  ➜ Title candidate: 'knowledge of human resource management by completing a case study. Students will apply critical human resource strategies in the areas of'
  ❌ Invalid title line: 'knowledge of human resource management by completing a case study. Students will apply critical human resource strategies in the areas of'
  ➜ Parsing at 6820: 'legal/regulatory compliance, recruitment and selection of personnel, performance and feedback mechanisms, and financial and benefits'

🔍 parse_program: starting at line 6820: 'legal/regulatory compliance, recruitment and selection of personnel, performance and feedback mechanisms, and financial and benefits'
  ➜ Title candidate: 'legal/regulatory compliance, recruitment and selection of personnel, performance and feedback mechanisms, and financial and benefits'
  ❌ Invalid title line: 'legal/regulatory compliance, recruitment and selection of personnel, performance and feedback mechanisms, and financial and benefits'
  ➜ Parsing at 6821: 'compensation.'

🔍 parse_program: starting at line 6821: 'compensation.'
  ➜ Title candidate: 'compensation.'
  ❌ Invalid title line: 'compensation.'
  ➜ Parsing at 6822: 'IDC1 - Foundations of Instructional Design - Foundations of Instructional Design provides an overview of how to select the most appropriate'

🔍 parse_program: starting at line 6822: 'IDC1 - Foundations of Instructional Design - Foundations of Instructional Design provides an overview of how to select the most appropriate'
  ➜ Title candidate: 'IDC1 - Foundations of Instructional Design - Foundations of Instructional Design provides an overview of how to select the most appropriate'
  ❌ Invalid title line: 'IDC1 - Foundations of Instructional Design - Foundations of Instructional Design provides an overview of how to select the most appropriate'
  ➜ Parsing at 6823: 'learning theories, design processes, and instructional strategies based on learner audience, instructional setting, and current and desired state of'

🔍 parse_program: starting at line 6823: 'learning theories, design processes, and instructional strategies based on learner audience, instructional setting, and current and desired state of'
  ➜ Title candidate: 'learning theories, design processes, and instructional strategies based on learner audience, instructional setting, and current and desired state of'
  ❌ Invalid title line: 'learning theories, design processes, and instructional strategies based on learner audience, instructional setting, and current and desired state of'
  ➜ Parsing at 6824: 'learning.'

🔍 parse_program: starting at line 6824: 'learning.'
  ➜ Title candidate: 'learning.'
  ❌ Invalid title line: 'learning.'
  ➜ Parsing at 6825: 'IYT2 - Introduction to Curriculum Theory - For over 200 years, educators in the United States have debated the purpose of education. Should'

🔍 parse_program: starting at line 6825: 'IYT2 - Introduction to Curriculum Theory - For over 200 years, educators in the United States have debated the purpose of education. Should'
  ➜ Title candidate: 'IYT2 - Introduction to Curriculum Theory - For over 200 years, educators in the United States have debated the purpose of education. Should'
  ❌ Invalid title line: 'IYT2 - Introduction to Curriculum Theory - For over 200 years, educators in the United States have debated the purpose of education. Should'
  ➜ Parsing at 6826: 'education be for enlightenment or to prepare students for the life of work? Should education be for many or for a select few? These questions continue'

🔍 parse_program: starting at line 6826: 'education be for enlightenment or to prepare students for the life of work? Should education be for many or for a select few? These questions continue'
  ➜ Title candidate: 'education be for enlightenment or to prepare students for the life of work? Should education be for many or for a select few? These questions continue'
  ❌ Invalid title line: 'education be for enlightenment or to prepare students for the life of work? Should education be for many or for a select few? These questions continue'
  ➜ Parsing at 6827: 'to be debated today. Through curriculum theory and reflection, educators have an educational framework by which to understand how theory and'

🔍 parse_program: starting at line 6827: 'to be debated today. Through curriculum theory and reflection, educators have an educational framework by which to understand how theory and'
  ➜ Title candidate: 'to be debated today. Through curriculum theory and reflection, educators have an educational framework by which to understand how theory and'
  ❌ Invalid title line: 'to be debated today. Through curriculum theory and reflection, educators have an educational framework by which to understand how theory and'
  ➜ Parsing at 6828: 'one's philosophical views can impact the design, development, and implementation of curriculum and instruction. With this in mind, Introduction to'

🔍 parse_program: starting at line 6828: 'one's philosophical views can impact the design, development, and implementation of curriculum and instruction. With this in mind, Introduction to'
  ➜ Title candidate: 'one's philosophical views can impact the design, development, and implementation of curriculum and instruction. With this in mind, Introduction to'
  ❌ Invalid title line: 'one's philosophical views can impact the design, development, and implementation of curriculum and instruction. With this in mind, Introduction to'
  ➜ Parsing at 6829: 'Curriculum Theory focuses on exploring and applying an understanding of Scholar Academic, Social Efficiency, Learner Centered, and Social'

🔍 parse_program: starting at line 6829: 'Curriculum Theory focuses on exploring and applying an understanding of Scholar Academic, Social Efficiency, Learner Centered, and Social'
  ➜ Title candidate: 'Curriculum Theory focuses on exploring and applying an understanding of Scholar Academic, Social Efficiency, Learner Centered, and Social'
  ❌ Invalid title line: 'Curriculum Theory focuses on exploring and applying an understanding of Scholar Academic, Social Efficiency, Learner Centered, and Social'
  ➜ Parsing at 6830: 'Reconstruction ideologies in various instructional settings and on the development on one’s own curriculum philosophy.'

🔍 parse_program: starting at line 6830: 'Reconstruction ideologies in various instructional settings and on the development on one’s own curriculum philosophy.'
  ➜ Title candidate: 'Reconstruction ideologies in various instructional settings and on the development on one’s own curriculum philosophy.'
  ❌ Invalid title line: 'Reconstruction ideologies in various instructional settings and on the development on one’s own curriculum philosophy.'
  ➜ Parsing at 6831: 'IZT2 - Learning Theories - Learning Theories focuses on the complexity of the current learning environment and how behaviorism, cognitivism,'

🔍 parse_program: starting at line 6831: 'IZT2 - Learning Theories - Learning Theories focuses on the complexity of the current learning environment and how behaviorism, cognitivism,'
  ➜ Title candidate: 'IZT2 - Learning Theories - Learning Theories focuses on the complexity of the current learning environment and how behaviorism, cognitivism,'
  ❌ Invalid title line: 'IZT2 - Learning Theories - Learning Theories focuses on the complexity of the current learning environment and how behaviorism, cognitivism,'
  ➜ Parsing at 6832: 'constructivism, and personal learning philosophy can assist in the development of appropriate curriculum and instruction.'

🔍 parse_program: starting at line 6832: 'constructivism, and personal learning philosophy can assist in the development of appropriate curriculum and instruction.'
  ➜ Title candidate: 'constructivism, and personal learning philosophy can assist in the development of appropriate curriculum and instruction.'
  ❌ Invalid title line: 'constructivism, and personal learning philosophy can assist in the development of appropriate curriculum and instruction.'
  ➜ Parsing at 6833: 'JIT2 - Risk Management - Content focuses on categorizing levels of risk and understanding how risk can impact the operations of the business'

🔍 parse_program: starting at line 6833: 'JIT2 - Risk Management - Content focuses on categorizing levels of risk and understanding how risk can impact the operations of the business'
  ➜ Title candidate: 'JIT2 - Risk Management - Content focuses on categorizing levels of risk and understanding how risk can impact the operations of the business'
  ❌ Invalid title line: 'JIT2 - Risk Management - Content focuses on categorizing levels of risk and understanding how risk can impact the operations of the business'
  ➜ Parsing at 6834: 'through a scenario involving the creation of a risk management program and business continuity program for a company and a business situation'

🔍 parse_program: starting at line 6834: 'through a scenario involving the creation of a risk management program and business continuity program for a company and a business situation'
  ➜ Title candidate: 'through a scenario involving the creation of a risk management program and business continuity program for a company and a business situation'
  ❌ Invalid title line: 'through a scenario involving the creation of a risk management program and business continuity program for a company and a business situation'
  ➜ Parsing at 6835: 'reacting to a crisis/disaster situation affecting the company.'

🔍 parse_program: starting at line 6835: 'reacting to a crisis/disaster situation affecting the company.'
  ➜ Title candidate: 'reacting to a crisis/disaster situation affecting the company.'
  ❌ Invalid title line: 'reacting to a crisis/disaster situation affecting the company.'
  ➜ Parsing at 6836: 'JNT2 - Instructional Design Analysis - Instructional Design Analysis focuses on using analysis of needs to determine the needs and interests of'

🔍 parse_program: starting at line 6836: 'JNT2 - Instructional Design Analysis - Instructional Design Analysis focuses on using analysis of needs to determine the needs and interests of'
  ➜ Title candidate: 'JNT2 - Instructional Design Analysis - Instructional Design Analysis focuses on using analysis of needs to determine the needs and interests of'
  ❌ Invalid title line: 'JNT2 - Instructional Design Analysis - Instructional Design Analysis focuses on using analysis of needs to determine the needs and interests of'
  ➜ Parsing at 6837: 'learners, and scope and sequence for developing a logical approach for an education program to formulate appropriate and measurable program'

🔍 parse_program: starting at line 6837: 'learners, and scope and sequence for developing a logical approach for an education program to formulate appropriate and measurable program'
  ➜ Title candidate: 'learners, and scope and sequence for developing a logical approach for an education program to formulate appropriate and measurable program'
  ❌ Invalid title line: 'learners, and scope and sequence for developing a logical approach for an education program to formulate appropriate and measurable program'
  ➜ Parsing at 6838: 'objectives.'

🔍 parse_program: starting at line 6838: 'objectives.'
  ➜ Title candidate: 'objectives.'
  ❌ Invalid title line: 'objectives.'
  ➜ Parsing at 6839: 'JOT2 - Issues in Instructional Design - Issues in Instructional Design focuses on learning theories, learner analysis, scope and sequence,'

🔍 parse_program: starting at line 6839: 'JOT2 - Issues in Instructional Design - Issues in Instructional Design focuses on learning theories, learner analysis, scope and sequence,'
  ➜ Title candidate: 'JOT2 - Issues in Instructional Design - Issues in Instructional Design focuses on learning theories, learner analysis, scope and sequence,'
  ❌ Invalid title line: 'JOT2 - Issues in Instructional Design - Issues in Instructional Design focuses on learning theories, learner analysis, scope and sequence,'
  ➜ Parsing at 6840: 'instructional strategies, task analysis and design theories, media and technology foundations, and adaptive technologies for special populations for'

🔍 parse_program: starting at line 6840: 'instructional strategies, task analysis and design theories, media and technology foundations, and adaptive technologies for special populations for'
  ➜ Title candidate: 'instructional strategies, task analysis and design theories, media and technology foundations, and adaptive technologies for special populations for'
  ❌ Invalid title line: 'instructional strategies, task analysis and design theories, media and technology foundations, and adaptive technologies for special populations for'
  ➜ Parsing at 6841: 'creating effective, well-articulated, and efficient instruction.'

🔍 parse_program: starting at line 6841: 'creating effective, well-articulated, and efficient instruction.'
  ➜ Title candidate: 'creating effective, well-articulated, and efficient instruction.'
  ❌ Invalid title line: 'creating effective, well-articulated, and efficient instruction.'
  ➜ Parsing at 6842: 'JPT2 - Instructional Design Production - Instructional Design Production focuses on the application of a systematic process of instructional design,'

🔍 parse_program: starting at line 6842: 'JPT2 - Instructional Design Production - Instructional Design Production focuses on the application of a systematic process of instructional design,'
  ➜ Title candidate: 'JPT2 - Instructional Design Production - Instructional Design Production focuses on the application of a systematic process of instructional design,'
  ❌ Invalid title line: 'JPT2 - Instructional Design Production - Instructional Design Production focuses on the application of a systematic process of instructional design,'
  ➜ Parsing at 6843: 'namely the concepts and procedure for analyzing and designing successful instruction. This course will prepare students to conduct a goal analysis, a'

🔍 parse_program: starting at line 6843: 'namely the concepts and procedure for analyzing and designing successful instruction. This course will prepare students to conduct a goal analysis, a'
  ➜ Title candidate: 'namely the concepts and procedure for analyzing and designing successful instruction. This course will prepare students to conduct a goal analysis, a'
  ❌ Invalid title line: 'namely the concepts and procedure for analyzing and designing successful instruction. This course will prepare students to conduct a goal analysis, a'
  ➜ Parsing at 6844: 'process used to identify instructional goals, as well as a task analysis, which is used to determine the skills and knowledge required to accomplish'

🔍 parse_program: starting at line 6844: 'process used to identify instructional goals, as well as a task analysis, which is used to determine the skills and knowledge required to accomplish'
  ➜ Title candidate: 'process used to identify instructional goals, as well as a task analysis, which is used to determine the skills and knowledge required to accomplish'
  ❌ Invalid title line: 'process used to identify instructional goals, as well as a task analysis, which is used to determine the skills and knowledge required to accomplish'
  ➜ Parsing at 6845: 'those goals. This course also focuses on writing performance objectives, designing assessments, and developing instruction that incorporates relevant'

🔍 parse_program: starting at line 6845: 'those goals. This course also focuses on writing performance objectives, designing assessments, and developing instruction that incorporates relevant'
  ➜ Title candidate: 'those goals. This course also focuses on writing performance objectives, designing assessments, and developing instruction that incorporates relevant'
  ❌ Invalid title line: 'those goals. This course also focuses on writing performance objectives, designing assessments, and developing instruction that incorporates relevant'
  ➜ Parsing at 6846: 'learning theories. Methods for formatively evaluating a unit of instruction are also introduced. There are no prerequisites for this course.'

🔍 parse_program: starting at line 6846: 'learning theories. Methods for formatively evaluating a unit of instruction are also introduced. There are no prerequisites for this course.'
  ➜ Title candidate: 'learning theories. Methods for formatively evaluating a unit of instruction are also introduced. There are no prerequisites for this course.'
  ❌ Invalid title line: 'learning theories. Methods for formatively evaluating a unit of instruction are also introduced. There are no prerequisites for this course.'
  ➜ Parsing at 6847: 'JQT2 - Issues in Measurement and Evaluation - Issues in Measurement and Evaluation focuses on the understanding of formative and summative'

🔍 parse_program: starting at line 6847: 'JQT2 - Issues in Measurement and Evaluation - Issues in Measurement and Evaluation focuses on the understanding of formative and summative'
  ➜ Title candidate: 'JQT2 - Issues in Measurement and Evaluation - Issues in Measurement and Evaluation focuses on the understanding of formative and summative'
  ❌ Invalid title line: 'JQT2 - Issues in Measurement and Evaluation - Issues in Measurement and Evaluation focuses on the understanding of formative and summative'
  ➜ Parsing at 6848: 'evaluation, quantitative and qualitative data collection tools, including rubrics and the processes of evaluation.'

🔍 parse_program: starting at line 6848: 'evaluation, quantitative and qualitative data collection tools, including rubrics and the processes of evaluation.'
  ➜ Title candidate: 'evaluation, quantitative and qualitative data collection tools, including rubrics and the processes of evaluation.'
  ❌ Invalid title line: 'evaluation, quantitative and qualitative data collection tools, including rubrics and the processes of evaluation.'
  ➜ Parsing at 6849: 'JRT2 - Evaluation Methodology and Instrumentation - Evaluation Methodology and Instrumentation focuses on using qualitative and quantitative'

🔍 parse_program: starting at line 6849: 'JRT2 - Evaluation Methodology and Instrumentation - Evaluation Methodology and Instrumentation focuses on using qualitative and quantitative'
  ➜ Title candidate: 'JRT2 - Evaluation Methodology and Instrumentation - Evaluation Methodology and Instrumentation focuses on using qualitative and quantitative'
  ❌ Invalid title line: 'JRT2 - Evaluation Methodology and Instrumentation - Evaluation Methodology and Instrumentation focuses on using qualitative and quantitative'
  ➜ Parsing at 6850: 'data collection tools and techniques to construct and evaluate valid and reliable measuring instruments.'

🔍 parse_program: starting at line 6850: 'data collection tools and techniques to construct and evaluate valid and reliable measuring instruments.'
  ➜ Title candidate: 'data collection tools and techniques to construct and evaluate valid and reliable measuring instruments.'
  ❌ Invalid title line: 'data collection tools and techniques to construct and evaluate valid and reliable measuring instruments.'
  ➜ Parsing at 6851: 'JST2 - Evaluation Process and Recommendation - Evaluation Process and Recommendation focuses on implementing and interpreting an'

🔍 parse_program: starting at line 6851: 'JST2 - Evaluation Process and Recommendation - Evaluation Process and Recommendation focuses on implementing and interpreting an'
  ➜ Title candidate: 'JST2 - Evaluation Process and Recommendation - Evaluation Process and Recommendation focuses on implementing and interpreting an'
  ❌ Invalid title line: 'JST2 - Evaluation Process and Recommendation - Evaluation Process and Recommendation focuses on implementing and interpreting an'
  ➜ Parsing at 6852: 'evaluation and the reporting of the results and recommendations to stakeholders.'

🔍 parse_program: starting at line 6852: 'evaluation and the reporting of the results and recommendations to stakeholders.'
  ➜ Title candidate: 'evaluation and the reporting of the results and recommendations to stakeholders.'
  ❌ Invalid title line: 'evaluation and the reporting of the results and recommendations to stakeholders.'
  ➜ Parsing at 6853: 'JWT2 - Instructional Theory - Instructional Theory focuses on exploring instructional design theory and related models and processes. Students will'

🔍 parse_program: starting at line 6853: 'JWT2 - Instructional Theory - Instructional Theory focuses on exploring instructional design theory and related models and processes. Students will'
  ➜ Title candidate: 'JWT2 - Instructional Theory - Instructional Theory focuses on exploring instructional design theory and related models and processes. Students will'
  ❌ Invalid title line: 'JWT2 - Instructional Theory - Instructional Theory focuses on exploring instructional design theory and related models and processes. Students will'
  ➜ Parsing at 6854: 'apply instructional design principles to the design and delivery of plans to meet the learning needs found in the instructional setting.'

🔍 parse_program: starting at line 6854: 'apply instructional design principles to the design and delivery of plans to meet the learning needs found in the instructional setting.'
  ➜ Title candidate: 'apply instructional design principles to the design and delivery of plans to meet the learning needs found in the instructional setting.'
  ❌ Invalid title line: 'apply instructional design principles to the design and delivery of plans to meet the learning needs found in the instructional setting.'
  ➜ Parsing at 6855: 'JXT2 - Educational Psychology - Educational Psychology examines the latest findings in child and adolescent development and provides educators'

🔍 parse_program: starting at line 6855: 'JXT2 - Educational Psychology - Educational Psychology examines the latest findings in child and adolescent development and provides educators'
  ➜ Title candidate: 'JXT2 - Educational Psychology - Educational Psychology examines the latest findings in child and adolescent development and provides educators'
  ❌ Invalid title line: 'JXT2 - Educational Psychology - Educational Psychology examines the latest findings in child and adolescent development and provides educators'
  ➜ Parsing at 6856: 'the opportunity to apply educational psychology to various instructional settings. Students will explore the areas of applied educational psychology to'

🔍 parse_program: starting at line 6856: 'the opportunity to apply educational psychology to various instructional settings. Students will explore the areas of applied educational psychology to'
  ➜ Title candidate: 'the opportunity to apply educational psychology to various instructional settings. Students will explore the areas of applied educational psychology to'
  ❌ Invalid title line: 'the opportunity to apply educational psychology to various instructional settings. Students will explore the areas of applied educational psychology to'
  ➜ Parsing at 6857: 'teaching, cognitive development, social development, and cultural development. They will design, develop, modify, and evaluate curriculum and'

🔍 parse_program: starting at line 6857: 'teaching, cognitive development, social development, and cultural development. They will design, develop, modify, and evaluate curriculum and'
  ➜ Title candidate: 'teaching, cognitive development, social development, and cultural development. They will design, develop, modify, and evaluate curriculum and'
  ❌ Invalid title line: 'teaching, cognitive development, social development, and cultural development. They will design, develop, modify, and evaluate curriculum and'
  ➜ Parsing at 6858: 'instruction in various educational settings according to child/adolescent development.'

🔍 parse_program: starting at line 6858: 'instruction in various educational settings according to child/adolescent development.'
  ➜ Title candidate: 'instruction in various educational settings according to child/adolescent development.'
  ❌ Invalid title line: 'instruction in various educational settings according to child/adolescent development.'
  ➜ Parsing at 6859: 'JYT2 - Curriculum Design - Curriculum Design focuses on exploring curriculum design theory, educational standards, and design frameworks for'

🔍 parse_program: starting at line 6859: 'JYT2 - Curriculum Design - Curriculum Design focuses on exploring curriculum design theory, educational standards, and design frameworks for'
  ➜ Title candidate: 'JYT2 - Curriculum Design - Curriculum Design focuses on exploring curriculum design theory, educational standards, and design frameworks for'
  ❌ Invalid title line: 'JYT2 - Curriculum Design - Curriculum Design focuses on exploring curriculum design theory, educational standards, and design frameworks for'
  ➜ Parsing at 6860: 'what to teach. Together these topics will provide educators with the ability to take principles of curriculum design theory and related models and apply'

🔍 parse_program: starting at line 6860: 'what to teach. Together these topics will provide educators with the ability to take principles of curriculum design theory and related models and apply'
  ➜ Title candidate: 'what to teach. Together these topics will provide educators with the ability to take principles of curriculum design theory and related models and apply'
  ❌ Invalid title line: 'what to teach. Together these topics will provide educators with the ability to take principles of curriculum design theory and related models and apply'
  ➜ Parsing at 6861: 'them when developing, designing, and modifying curriculum to meet learning needs in their instructional setting.'

🔍 parse_program: starting at line 6861: 'them when developing, designing, and modifying curriculum to meet learning needs in their instructional setting.'
  ➜ Title candidate: 'them when developing, designing, and modifying curriculum to meet learning needs in their instructional setting.'
  ❌ Invalid title line: 'them when developing, designing, and modifying curriculum to meet learning needs in their instructional setting.'
  ➜ Parsing at 6862: 'JZT2 - Curriculum Evaluation - Curriculum Evaluation focuses on exploring evaluation systems and student data to determine the effectiveness of'

🔍 parse_program: starting at line 6862: 'JZT2 - Curriculum Evaluation - Curriculum Evaluation focuses on exploring evaluation systems and student data to determine the effectiveness of'
  ➜ Title candidate: 'JZT2 - Curriculum Evaluation - Curriculum Evaluation focuses on exploring evaluation systems and student data to determine the effectiveness of'
  ❌ Invalid title line: 'JZT2 - Curriculum Evaluation - Curriculum Evaluation focuses on exploring evaluation systems and student data to determine the effectiveness of'
  ➜ Parsing at 6863: 'curriculum. It also focuses on differentiating curriculum based on student data.'

🔍 parse_program: starting at line 6863: 'curriculum. It also focuses on differentiating curriculum based on student data.'
  ➜ Title candidate: 'curriculum. It also focuses on differentiating curriculum based on student data.'
  ❌ Invalid title line: 'curriculum. It also focuses on differentiating curriculum based on student data.'
  ➜ Parsing at 6864: 'KAT2 - Assessment for Student Learning - Assessment for Student Learning focuses on developing the knowledge and skills to identify, develop,'

🔍 parse_program: starting at line 6864: 'KAT2 - Assessment for Student Learning - Assessment for Student Learning focuses on developing the knowledge and skills to identify, develop,'
  ➜ Title candidate: 'KAT2 - Assessment for Student Learning - Assessment for Student Learning focuses on developing the knowledge and skills to identify, develop,'
  ❌ Invalid title line: 'KAT2 - Assessment for Student Learning - Assessment for Student Learning focuses on developing the knowledge and skills to identify, develop,'
  ➜ Parsing at 6865: 'and design instrument tools for evaluating student learning. It also explores the use of objective and performance-based, formative, and summative'

🔍 parse_program: starting at line 6865: 'and design instrument tools for evaluating student learning. It also explores the use of objective and performance-based, formative, and summative'
  ➜ Title candidate: 'and design instrument tools for evaluating student learning. It also explores the use of objective and performance-based, formative, and summative'
  ❌ Invalid title line: 'and design instrument tools for evaluating student learning. It also explores the use of objective and performance-based, formative, and summative'
  ➜ Parsing at 6866: 'assessments and their results in the evaluation of curriculum and instruction for student learning.'

🔍 parse_program: starting at line 6866: 'assessments and their results in the evaluation of curriculum and instruction for student learning.'
  ➜ Title candidate: 'assessments and their results in the evaluation of curriculum and instruction for student learning.'
  ❌ Invalid title line: 'assessments and their results in the evaluation of curriculum and instruction for student learning.'
  ➜ Parsing at 6867: 'KBT2 - Differentiated Instruction - Differentiated Instruction focuses on developing and implementing curriculum and instruction that that best meets'

🔍 parse_program: starting at line 6867: 'KBT2 - Differentiated Instruction - Differentiated Instruction focuses on developing and implementing curriculum and instruction that that best meets'
  ➜ Title candidate: 'KBT2 - Differentiated Instruction - Differentiated Instruction focuses on developing and implementing curriculum and instruction that that best meets'
  ❌ Invalid title line: 'KBT2 - Differentiated Instruction - Differentiated Instruction focuses on developing and implementing curriculum and instruction that that best meets'
  ➜ Parsing at 6868: 'the needs of all learners within a given instructional setting.'

🔍 parse_program: starting at line 6868: 'the needs of all learners within a given instructional setting.'
  ➜ Title candidate: 'the needs of all learners within a given instructional setting.'
  ❌ Invalid title line: 'the needs of all learners within a given instructional setting.'
  ➜ Parsing at 6869: 'LEC1 - Comprehensive Educational Leadership Integration - You will complete a comprehensive objective proctored assessment in Educational'

🔍 parse_program: starting at line 6869: 'LEC1 - Comprehensive Educational Leadership Integration - You will complete a comprehensive objective proctored assessment in Educational'
  ➜ Title candidate: 'LEC1 - Comprehensive Educational Leadership Integration - You will complete a comprehensive objective proctored assessment in Educational'
  ❌ Invalid title line: 'LEC1 - Comprehensive Educational Leadership Integration - You will complete a comprehensive objective proctored assessment in Educational'
  ➜ Parsing at 6870: 'Leadership theory and practices, including administrative theory, school law, school finance, curriculum development and implementation, personnel'

🔍 parse_program: starting at line 6870: 'Leadership theory and practices, including administrative theory, school law, school finance, curriculum development and implementation, personnel'
  ➜ Title candidate: 'Leadership theory and practices, including administrative theory, school law, school finance, curriculum development and implementation, personnel'
  ❌ Invalid title line: 'Leadership theory and practices, including administrative theory, school law, school finance, curriculum development and implementation, personnel'
  ➜ Parsing at 6871: 'management, public relations, and technology. You will be required to pass the Comprehensive Educational Leadership Integration objective'

🔍 parse_program: starting at line 6871: 'management, public relations, and technology. You will be required to pass the Comprehensive Educational Leadership Integration objective'
  ➜ Title candidate: 'management, public relations, and technology. You will be required to pass the Comprehensive Educational Leadership Integration objective'
  ❌ Invalid title line: 'management, public relations, and technology. You will be required to pass the Comprehensive Educational Leadership Integration objective'
  ➜ Parsing at 6872: 'assessment.'

🔍 parse_program: starting at line 6872: 'assessment.'
  ➜ Title candidate: 'assessment.'
  ❌ Invalid title line: 'assessment.'
  ➜ Parsing at 6873: 'LFT1 - Student, Stakeholder, and Market Focus for Educational Leaders - This subdomain reviews principles and practices of meeting'

🔍 parse_program: starting at line 6873: 'LFT1 - Student, Stakeholder, and Market Focus for Educational Leaders - This subdomain reviews principles and practices of meeting'
  ➜ Title candidate: 'LFT1 - Student, Stakeholder, and Market Focus for Educational Leaders - This subdomain reviews principles and practices of meeting'
  ❌ Invalid title line: 'LFT1 - Student, Stakeholder, and Market Focus for Educational Leaders - This subdomain reviews principles and practices of meeting'
  ➜ Parsing at 6874: 'stakeholder needs and reviews your case study site’s effectiveness in managing stakeholder relationships.'

🔍 parse_program: starting at line 6874: 'stakeholder needs and reviews your case study site’s effectiveness in managing stakeholder relationships.'
  ➜ Title candidate: 'stakeholder needs and reviews your case study site’s effectiveness in managing stakeholder relationships.'
  ❌ Invalid title line: 'stakeholder needs and reviews your case study site’s effectiveness in managing stakeholder relationships.'
  ➜ Parsing at 6875: 'LMT1 - Measurement, Analysis, and Knowledge Management for Educational Leaders - This subdomain reviews principles and practices of'

🔍 parse_program: starting at line 6875: 'LMT1 - Measurement, Analysis, and Knowledge Management for Educational Leaders - This subdomain reviews principles and practices of'
  ➜ Title candidate: 'LMT1 - Measurement, Analysis, and Knowledge Management for Educational Leaders - This subdomain reviews principles and practices of'
  ❌ Invalid title line: 'LMT1 - Measurement, Analysis, and Knowledge Management for Educational Leaders - This subdomain reviews principles and practices of'
  ➜ Parsing at 6876: 'program and curriculum effectiveness evaluation as well as best practices in technology for educational leaders. You also complete a program,'

🔍 parse_program: starting at line 6876: 'program and curriculum effectiveness evaluation as well as best practices in technology for educational leaders. You also complete a program,'
  ➜ Title candidate: 'program and curriculum effectiveness evaluation as well as best practices in technology for educational leaders. You also complete a program,'
  ❌ Invalid title line: 'program and curriculum effectiveness evaluation as well as best practices in technology for educational leaders. You also complete a program,'
  ➜ Parsing at 6877: 'practice, or curriculum effectiveness evaluation in your case study site as well as an evaluation of technology implementation.'

🔍 parse_program: starting at line 6877: 'practice, or curriculum effectiveness evaluation in your case study site as well as an evaluation of technology implementation.'
  ➜ Title candidate: 'practice, or curriculum effectiveness evaluation in your case study site as well as an evaluation of technology implementation.'
  ❌ Invalid title line: 'practice, or curriculum effectiveness evaluation in your case study site as well as an evaluation of technology implementation.'
  ➜ Parsing at 6878: 'LNT1 - Process Management for Educational Leaders - This subdomain reviews best practices in process management for educational leaders, as'

🔍 parse_program: starting at line 6878: 'LNT1 - Process Management for Educational Leaders - This subdomain reviews best practices in process management for educational leaders, as'
  ➜ Title candidate: 'LNT1 - Process Management for Educational Leaders - This subdomain reviews best practices in process management for educational leaders, as'
  ❌ Invalid title line: 'LNT1 - Process Management for Educational Leaders - This subdomain reviews best practices in process management for educational leaders, as'
  ➜ Parsing at 6879: 'well as an evaluation of your case study site’s process management policies and practices.'

🔍 parse_program: starting at line 6879: 'well as an evaluation of your case study site’s process management policies and practices.'
  ➜ Title candidate: 'well as an evaluation of your case study site’s process management policies and practices.'
  ❌ Invalid title line: 'well as an evaluation of your case study site’s process management policies and practices.'
  ➜ Parsing at 6880: 'LPA1 - Language Production, Theory and Acquisition - Language Production, Theory and Acquisition focuses on describing and understanding'

🔍 parse_program: starting at line 6880: 'LPA1 - Language Production, Theory and Acquisition - Language Production, Theory and Acquisition focuses on describing and understanding'
  ➜ Title candidate: 'LPA1 - Language Production, Theory and Acquisition - Language Production, Theory and Acquisition focuses on describing and understanding'
  ❌ Invalid title line: 'LPA1 - Language Production, Theory and Acquisition - Language Production, Theory and Acquisition focuses on describing and understanding'
  ➜ Parsing at 6881: 'language and the development of language. It includes the study of acquisition theory, grammar, and applied phonetics.'

🔍 parse_program: starting at line 6881: 'language and the development of language. It includes the study of acquisition theory, grammar, and applied phonetics.'
  ➜ Title candidate: 'language and the development of language. It includes the study of acquisition theory, grammar, and applied phonetics.'
  ❌ Invalid title line: 'language and the development of language. It includes the study of acquisition theory, grammar, and applied phonetics.'
  ➜ Parsing at 6882: 'LPT1 - Performance Excellence Criteria for Educational Leaders - This subdomain reviews the case study model and prepares you to complete a'

🔍 parse_program: starting at line 6882: 'LPT1 - Performance Excellence Criteria for Educational Leaders - This subdomain reviews the case study model and prepares you to complete a'
  ➜ Title candidate: 'LPT1 - Performance Excellence Criteria for Educational Leaders - This subdomain reviews the case study model and prepares you to complete a'
  ❌ Invalid title line: 'LPT1 - Performance Excellence Criteria for Educational Leaders - This subdomain reviews the case study model and prepares you to complete a'
  ➜ Parsing at 6883: 'thorough review of the effectiveness of their case study site’s operations, outcomes, and leadership.'

🔍 parse_program: starting at line 6883: 'thorough review of the effectiveness of their case study site’s operations, outcomes, and leadership.'
  ➜ Title candidate: 'thorough review of the effectiveness of their case study site’s operations, outcomes, and leadership.'
  ❌ Invalid title line: 'thorough review of the effectiveness of their case study site’s operations, outcomes, and leadership.'
  ➜ Parsing at 6884: 'LQT2 - Information Security and Assurance Capstone Project - Students will be able to choose from three areas of emphasis, depending on'

🔍 parse_program: starting at line 6884: 'LQT2 - Information Security and Assurance Capstone Project - Students will be able to choose from three areas of emphasis, depending on'
  ➜ Title candidate: 'LQT2 - Information Security and Assurance Capstone Project - Students will be able to choose from three areas of emphasis, depending on'
  ❌ Invalid title line: 'LQT2 - Information Security and Assurance Capstone Project - Students will be able to choose from three areas of emphasis, depending on'
  ➜ Parsing at 6885: 'personal and professional interests. Students will complete a capstone project that deals with a significant real-world business problem that further'

🔍 parse_program: starting at line 6885: 'personal and professional interests. Students will complete a capstone project that deals with a significant real-world business problem that further'
  ➜ Title candidate: 'personal and professional interests. Students will complete a capstone project that deals with a significant real-world business problem that further'
  ❌ Invalid title line: 'personal and professional interests. Students will complete a capstone project that deals with a significant real-world business problem that further'
  ➜ Parsing at 6886: 'integrates the components of the degree. Capstone projects will require an oral defense before a committee of WGU faculty.'

🔍 parse_program: starting at line 6886: 'integrates the components of the degree. Capstone projects will require an oral defense before a committee of WGU faculty.'
  ➜ Title candidate: 'integrates the components of the degree. Capstone projects will require an oral defense before a committee of WGU faculty.'
  ❌ Invalid title line: 'integrates the components of the degree. Capstone projects will require an oral defense before a committee of WGU faculty.'
  ➜ Parsing at 6887: '© Western Governors University 7/19/17 173'

🔍 parse_program: starting at line 6887: '© Western Governors University 7/19/17 173'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'LRT1 - Practicum in Educational Leadership - Foundational Perspectives of Education includes a series of performance tasks to take place under'
  ➜ Skipping stray line: 'the leadership of a practicing state licensed school principal or assistant principal in a practicum school site (K–12). This assessment also includes'
  ➜ Skipping stray line: 'completion of assigned administrative duties to take place in both elementary (K–6) and secondary (7–12) settings under the leadership and'
  ➜ Skipping stray line: 'supervision of the cooperating administrator in your case study school site. Practicum requirements vary by state of intended licensure and WGU'
  ➜ Skipping stray line: 'program requirements, and the standard has been set between 275 and 540 of logged practicum activities that span a minimum of six consecutive'
  ➜ Skipping stray line: 'months. Please refer back to the WGU Student Handbook for reference of your program requirements. You are required to pass the Practicum in'
  ➜ Skipping stray line: 'Educational Leadership performance assessments and successfully submit other documentation, including evaluations of your performance'
  ➜ Skipping stray line: 'completed by the cooperating administrator and documentation of completion of state-required hours of assigned administrative duties. The'
  ➜ Skipping stray line: 'Educational Leadership Practicum requires a practicum fee. During the Educational Leadership Practicum, you are also expected to take and pass'
  ➜ Skipping stray line: 'your state's licensure examination(s) required for certification as a school principal and the PRAXIS 5411 Educational Leadership: Administration and'
  ➜ Skipping stray line: 'Supervision exam.'
  ➜ Skipping stray line: 'LST1 - Strategic Planning for Educational Leaders - This subdomain reviews principles and practices of the strategic planning process as well as a'
  ➜ Skipping stray line: 'case study review of the strategic planning processes in your case study site.'
  ➜ Skipping stray line: 'LWT1 - Workforce Focus for Educational Leaders - This subdomain reviews best practices in human resource administration for educational'
  ➜ Skipping stray line: 'leaders, as well as an evaluation of your case study site’s workforce management practices.'
  ➜ Skipping stray line: 'LZT2 - Power, Influence and Leadership - This course focuses on the development of the critical leadership and soft skills necessary for success in'
  ➜ Skipping stray line: 'information technology leadership and management. The course focuses specifically on skills such as cultivating effective leadership communication,'
  ➜ Skipping stray line: 'building personal influence, enhancing emotional intelligence (soft skills), generating ideas and encouraging idea generation in others, conflict'
  ➜ Skipping stray line: 'resolution, and positioning oneself as an influential change agent within different organizational cultures.'
  ➜ Skipping stray line: 'MAT2 - Information Technology Management - This course will prepare students to cope with information technology resources in a manner'
  ➜ Skipping stray line: 'beneficial to their company. Such skill includes estimating both the cost and value of IT to the company, setting priorities for project selection,'
  ➜ Skipping stray line: 'management of IT projects, and handling risk. These responsibilities imply an ability to align technology with an organization’s strategic goals. In total,'
  ➜ Skipping stray line: 'students will develop the ability to effectively administer and manage current and emerging technologies within an organization.'
  ➜ Skipping stray line: 'MBT2 - Technological Globalization - This course is designed to equip students to better understand the fundamental, galvanizing and'
  ➜ Skipping stray line: 'transformational role of advanced IT communications, networks and services in all major industries; advanced IT is an unparalleled force multiplier in'
  ➜ Skipping stray line: 'scientific research, energy production and use, health and medicine. IT is a critical resource in the global community, economically, socially, politically'
  ➜ Skipping stray line: 'and culturally.'
  ➜ Skipping stray line: 'MCT2 - Technical Writing - As IT professionals are frequently required to interface with customers, clients, other departments, organizational leaders,'
  ➜ Skipping stray line: 'and even other institutions, strong communication skills are vital. In this course, students learn to communicate accurately, effectively, and ethically to'
  ➜ Skipping stray line: 'a variety of audiences. Students design communication to fit oral, print, and multi-media contexts. They develop rhetorical sensitivity in both their'
  ➜ Skipping stray line: 'writing and their design decisions.'
  ➜ Skipping stray line: 'MEC1 - Foundations of Measurement and Evaluation - Foundations of Measurement and Evaluation focuses on assessment validity, constructing'
  ➜ Skipping stray line: 'reliable test instruments, identifying appropriate item and instrument types, qualitative data collection tools and techniques, and conducting a formative'
  ➜ Skipping stray line: 'and summative evaluation for an instruction product or program.'
  ➜ Skipping stray line: 'MFT2 - Mathematics (K-6) Portfolio Oral Defense - Mathematics (K-6) Portfolio Oral Defense: Mathematics (K-6) Portfolio Defense focuses on a'
  ➜ Skipping stray line: 'formal presentation. The student will present an overview of their teacher work sample (TWS) portfolio discussing the challenges they faced and how'
  ➜ Skipping stray line: 'they determined whether their goals were accomplished. They will explain the process they went through to develop the TWS portfolio and reflect on'
  ➜ Skipping stray line: 'the methodologies and outcomes of the strategies discussed in the TWS portfolio. Additionally, they will discuss the strengths and weaknesses of'
  ➜ Skipping stray line: 'those strategies and how they can apply what they learned from the TWS portfolio in their professional work environment.'
  ➜ Skipping stray line: 'MGT2 - IT Project Management - IT Project Management provides an overview of the Project Management Institute’s project management'
  ➜ Skipping stray line: 'methodology. Topics cover various process groups and knowledge areas and application of knowledge in case studies for planning a project that has'
  ➜ Skipping stray line: 'not started yet and monitoring/controlling a project that is already underway.'
  ➜ Skipping stray line: 'MMT2 - IT Strategic Solutions - In IT Strategic Solutions the learner will have the opportunity to identify strategic opportunities and emerging'
  ➜ Skipping stray line: 'technologies as they research and decide on a system to support a growing company. Topics will include technology strategy; gap analysis;'
  ➜ Skipping stray line: 'researching new technology; strengths, opportunities, weaknesses, and threats; ethics; risk mitigation; data security, communication plans; and'
  ➜ Skipping stray line: 'globalization.'
  ➜ Skipping stray line: 'NHC1 - Introduction to Instructional Planning and Presentation - Students will develop a basic understanding of effective instructional principles'
  ➜ Skipping stray line: 'and how to differentiate instruction in order to elicit powerful teaching in the classroom.'
  ➜ Skipping stray line: 'NMA1 - Professional Role of the ELL Teacher - The Professional Role of the ELL Teacher focuses on issues of professionalism for the English'
  ➜ Skipping stray line: 'Language Learning teacher and leader. This includes program development, ethics, engagement in professional organizations, serving as a resource,'
  ➜ Skipping stray line: 'and ELL advocacy.'
  ➜ Skipping stray line: 'NNA1 - Planning, Implementing, Managing Instruction - Planning, Implementing, Managing Instruction focuses on a variety of philosophies and'
  ➜ Skipping stray line: 'grade levels of English Language Learner (ELL) instruction. It includes the study of ELL listening and speaking, ELL reading and writing, specially'
  ➜ Skipping stray line: 'designed academic instruction in English (SDAIE), and specific issues for various grade level instruction.'
  ➜ Skipping stray line: 'OOT2 - Mathematics History and Technology - Mathematics History and Technology introduces a variety of technological tools for doing'
  ➜ Skipping stray line: 'mathematics, and you will develop a broad understanding of the historical development of mathematics. You will come to understand that'
  ➜ Skipping stray line: 'mathematics is a very human subject that comes from the macro-level sweep of cultural and societal change, as well as the micro-level actions of'
  ➜ Skipping stray line: 'individuals with personal, professional, and philosophical motivations. Most importantly, you will learn to evaluate and apply technological tools and'
  ➜ Skipping stray line: 'historical information to create an enriching student-centered mathematical learning environment. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'OPT2 - Mathematics Learning and Teaching - Mathematics Learning and Teaching will help you develop the knowledge and skills necessary to'
  ➜ Skipping stray line: 'become a prospective and practicing educator. You will be able to use a variety of instructional strategies to effectively facilitate the learning of'
  ➜ Skipping stray line: 'mathematics. This course focuses on selecting appropriate resources, using multiple strategies, and instructional planning, with methods based on'
  ➜ Skipping stray line: 'research and problem solving. A deep understanding of the knowledge, skills, and disposition of mathematics pedagogy is necessary to become an'
  ➜ Skipping stray line: 'effective secondary mathematics educator. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'PFHM - Business - HR Management Portfolio Requirement - Students prepare a culminating professional portfolio to demonstrate the'
  ➜ Skipping stray line: 'competencies they have learned throughout their program. The portfolio includes a strengths essay, a career report, a reflection essay, a résumé, and'
  ➜ Skipping stray line: 'exhibits demonstrating personal strengths in the work place.'
  ➜ Skipping stray line: 'PFIT - Business - IT Management Portfolio Requirement - Business - IT Management Portfolio Requirement is designed to help the learner'
  ➜ Skipping stray line: 'complete the culminating Undergraduate Business Portfolio assessment; it focuses on developing a business portfolio containing a strengths essay, a'
  ➜ Skipping stray line: 'career report, a reflection essay, a resume, and exhibits that support one’s strengths in the work place.'
  ➜ Skipping stray line: 'QDT1 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'
  ➜ Skipping stray line: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'
  ➜ Skipping stray line: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'
  ➜ Skipping stray line: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'
  ➜ Skipping stray line: 'Algebra is a prerequisite for this course.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 174'
  ➜ Skipping stray line: 'QDT2 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'
  ➜ Skipping stray line: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'
  ➜ Skipping stray line: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'
  ➜ Skipping stray line: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'
  ➜ Skipping stray line: 'Algebra is a prerequisite for this course.'
  ➜ Skipping stray line: 'QET1 - Business - HR Management Capstone Project - For the Business - HR Management Capstone Project students will integrate and'
  ➜ Skipping stray line: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ➜ Skipping stray line: 'professional field. A comprehensive business plan is developed for a company that offers HR products or services. The business plan includes a'
  ➜ Skipping stray line: 'market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ➜ Skipping stray line: 'QFT1 - Business - IT Management Capstone Project - The capstone requires students to demonstrate the integration and synthesis of'
  ➜ Skipping stray line: 'competencies in all domains required for the degree in Information Technology Management. The student produces a business plan for a start-up'
  ➜ Skipping stray line: 'company that is selected and approved by the student and mentor.'
  ➜ Skipping stray line: 'QGT1 - Business Management Capstone Written Project - For the Business Management Capstone Written Project students will integrate and'
  ➜ Skipping stray line: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ➜ Skipping stray line: 'professional field. A comprehensive business plan is developed for a company that plans to sell a product or service in a local market, national'
  ➜ Skipping stray line: 'market, or on the Internet. The business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to'
  ➜ Skipping stray line: 'the chosen company.'
  ➜ Skipping stray line: 'QHT1 - Business Management Tasks - Business Management Tasks addresses important concepts needed to effectively manage a'
  ➜ Skipping stray line: 'business. Topics include the cost-quality relationship, the use of various types of graphical charts in operations management, managing innovation,'
  ➜ Skipping stray line: 'and developing strategies for working with individuals and groups.'
  ➜ Skipping stray line: 'QIT1 - Business Marketing Management Capstone Written Project - For the Business Marketing Management Capstone Project students will'
  ➜ Skipping stray line: 'integrate and synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their'
  ➜ Skipping stray line: 'chosen professional field. A comprehensive business plan is developed for a company that provides some type of marketing product or service. The'
  ➜ Skipping stray line: 'business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ➜ Skipping stray line: 'QJT2 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to use'
  ➜ Skipping stray line: 'differential calculus of one variable and appropriate technology to solve basic problems. Topics include graphing functions and finding their domains'
  ➜ Skipping stray line: 'and ranges; limits, continuity, differentiability, visual, analytical, and conceptual approaches to the definition of the derivative; the power, chain, and'
  ➜ Skipping stray line: 'sum rules applied to polynomial and exponential functions, position and velocity; and L'Hopital's Rule. Candidates should have completed a course in'
  ➜ Skipping stray line: 'Pre-Calculus before engaging in this course.'
  ➜ Skipping stray line: 'QTT2 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ➜ Skipping stray line: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ➜ Skipping stray line: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ➜ Skipping stray line: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'RKT1 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ➜ Skipping stray line: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ➜ Skipping stray line: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ➜ Skipping stray line: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ➜ Skipping stray line: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ➜ Skipping stray line: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'RKT2 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ➜ Skipping stray line: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ➜ Skipping stray line: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ➜ Skipping stray line: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ➜ Skipping stray line: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ➜ Skipping stray line: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'RNT1 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ➜ Skipping stray line: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ➜ Skipping stray line: 'RNT2 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ➜ Skipping stray line: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ➜ Skipping stray line: 'RXT2 - Precalculus and Calculus - Precalculus and Calculus provides instruction in precalculus and calculus and applies them to examples found in'
  ➜ Skipping stray line: 'both mathematics and science. Topics in precalculus include principles of trigonometry, mathematical modeling, and logarithmic, exponential,'
  ➜ Skipping stray line: 'polynomial, and rational functions. Topics in calculus include conceptual knowledge of limit, continuity, differentiability, and integration.'
  ➜ Skipping stray line: 'SJT2 - Advanced Networking Technology - This course prepares students to support the ever growing interconnectivity needs of organizations.'
  ➜ Skipping stray line: 'Students will learn about advanced networking concepts, devices and strategies to provide superior network connectivity to organizations. A review of'
  ➜ Skipping stray line: 'common yet critical network devices and technologies will be provided such as switches, routers, hubs, firewalls, T-1s, ATM, fiber and others.'
  ➜ Skipping stray line: 'Students will also be prepared to review existing network environments and provide specifications to upgrade and enhance such networks.'
  ➜ Skipping stray line: 'SLO1 - Theories of Second Language Acquisition and Grammar - Theories of Second Language Learning Acquisition and Grammar covers'
  ➜ Skipping stray line: 'content material in applied linguistics, including morphology, syntax, semantics, and grammar. Students will explore the role of dialect in the'
  ➜ Skipping stray line: 'classroom, the connections between language and culture, and the theories of first and second language acquisition.'
  ➜ Skipping stray line: 'TAT2 - Technology Production - Technology Production focuses on the foundations of media and technology, integrated technology development,'
  ➜ Skipping stray line: 'and the integration of technology into appropriate instructional uses of productivity, and applying different research applications in the learning'
  ➜ Skipping stray line: 'environment.'
  ➜ Skipping stray line: 'TDT1 - Technology Design Portfolio - Technology Design Portfolio focuses on gaining a broad overview of the field of technology integration with a'
  ➜ Skipping stray line: 'fundamental understanding of some key concepts and principles, and enhancing technology skills to enable the producing of exportable instructional'
  ➜ Skipping stray line: 'and professional products using various integrated application programs.'
  ➜ Skipping stray line: 'TET1 - Issues in Technology Integration - Issues in Technology Integration focuses on the legal and ethical practice of technology, some personal'
  ➜ Skipping stray line: 'uses of electronic resources, the need for protection of information, the foundations of media and technology, what electronic learning communities'
  ➜ Skipping stray line: 'are, and the adaptive technologies for special populations.'
  ➜ Skipping stray line: 'TFT2 - Cyberlaw, Regulations, and Compliance - Cyberlaw, Regulations and Compliance prepares students to participate in legal analysis of'
  ➜ Skipping stray line: 'relevant cyberlaws and address governance, standards, policies, and legislation. Students will conduct a security risk analysis for an enterprise'
  ➜ Skipping stray line: 'system. In addition, students will determine cyber requirements for third‐party vendor agreements. Students will also evaluate provisions of both the'
  ➜ Skipping stray line: '2001 and 2006 USA PATRIOT Acts.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 175'
  ➜ Skipping stray line: 'TOC2 - Probability and Statistics I - Probability and Statistics I covers the knowledge and skills necessary to apply basic probability, descriptive'
  ➜ Skipping stray line: 'statistics, and statistical reasoning, and to use appropriate technology to model and solve real-life problems. It provides an introduction to the science'
  ➜ Skipping stray line: 'of collecting, processing, analyzing, and interpreting data. Topics include creating and interpreting numerical summaries and visual displays of data;'
  ➜ Skipping stray line: 'regression lines and correlation; evaluating sampling methods and their effect on possible conclusions; designing observational studies, controlled'
  ➜ Skipping stray line: 'experiments, and surveys; and determining probabilities using simulations, diagrams, and probability rules. College Algebra is a prerequisite for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'TQC1 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Skipping stray line: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Skipping stray line: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Skipping stray line: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Skipping stray line: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Skipping stray line: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Skipping stray line: 'TQC2 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Skipping stray line: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Skipping stray line: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Skipping stray line: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Skipping stray line: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Skipping stray line: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Skipping stray line: 'TSC2 - General Chemistry I - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Skipping stray line: 'solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic table and chemical'
  ➜ Skipping stray line: 'nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work focuses on using'
  ➜ Skipping stray line: 'effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TSP1 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Skipping stray line: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Skipping stray line: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TSP2 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Skipping stray line: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Skipping stray line: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TUC2 - General Chemistry II - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Skipping stray line: 'solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models, oxidation-reduction'
  ➜ Skipping stray line: 'reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on using effective'
  ➜ Skipping stray line: 'laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TUP1 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Skipping stray line: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Skipping stray line: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TUP2 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Skipping stray line: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Skipping stray line: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TVT2 - Governance, Finance, Law, and Leadership for Principals - This subdomain contains content in educational law, finance, and'
  ➜ Skipping stray line: 'administration as well as a case study review of your site’s leadership practices.'
  ➜ Skipping stray line: 'UFC1 - Managerial Accounting - This course focuses on identifying, gathering, and interpreting information that will be used for evaluating and'
  ➜ Skipping stray line: 'managing the performance of a business. Students will also study cost measurement for producing goods and services and how to analyze and'
  ➜ Skipping stray line: 'control these costs.'
  ➜ Skipping stray line: 'UQT1 - Organic Chemistry - This course focuses on the study of compounds that contain carbon, much of which is learning how to organize and'
  ➜ Skipping stray line: 'group these compounds based on common bonds found within them in order to predict their structure, behavior, and reactivity.'
  ➜ Skipping stray line: 'VLT2 - Security Policies and Standards - Best Practices - This course focuses on the practices of planning and implementing organization-wide'
  ➜ Skipping stray line: 'security and assurance initiatives as well as auditing assurance processes.'
  ➜ Skipping stray line: 'VYC1 - Principles of Accounting - Principles of Accounting focuses on ways in which accounting principles are used in business operations.'
  ➜ Skipping stray line: 'Students will learn about the basics of accounting, including how to use Generally Accepted Accounting Principles (GAAP), ledgers, and journals.'
  ➜ Skipping stray line: 'Students will also be introduced to the steps of the accounting cycle, concepts of assets and liabilities, and general information about accounting'
  ➜ Skipping stray line: 'information systems. This course also presents bank reconciliation methods, balance sheets, and business ethics.'
  ➜ Skipping stray line: 'VZT1 - Marketing Applications - Marketing Applications allows students to apply their knowledge of core marketing principles by creating a'
  ➜ Skipping stray line: 'comprehensive marketing plan. Their plan will apply their knowledge of the marketing planning process, market analysis, and the marketing mix'
  ➜ Skipping stray line: '(product, place, promotion, and price).'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 176'
  ➜ Skipping stray line: 'Course Mentor Directory'
  ➜ Skipping stray line: 'General Education'
  ➜ Skipping stray line: 'Adams, William; M.A., Savanah College of Art and Design'
  ➜ Skipping stray line: 'Aguirre, Jennifer; M.S., Walden University'
  ➜ Skipping stray line: 'Akens, Jonne; Ph. D., Texas A&M University'
  ➜ Skipping stray line: 'Alexander, Ledora; Ed.S., Walden University'
  ➜ Skipping stray line: 'Ashe, James; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Barnes, Lauri; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Baty, Amanda; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Benson, Bryan; Ph.D., Boston College'
  ➜ Skipping stray line: 'Bilbrey, Joshua; Ph.D., Texas State University'
  ➜ Skipping stray line: 'Borden, Anne; Ph.D., Emory University'
  ➜ Skipping stray line: 'Brewer, Craig: Ph.D., University of Notre Dame'
  ➜ Skipping stray line: 'Brown, Bonnie; Ph.D., Stephen F. Austin State University'
  ➜ Skipping stray line: 'Browning, Ellen; Ph.D., University of Texas, Arlington'
  ➜ Skipping stray line: 'Buchanan, Tenielle; Ed.D., Lipscomb University'
  ➜ Skipping stray line: 'Byrnes, Sean; Ph.D., Emory University'
  ➜ Skipping stray line: 'Carmona, Karla; M.S., Western Governors University'
  ➜ Skipping stray line: 'Castaneda, Gilivaldo; M.Ed., University of Texas at San Antonio'
  ➜ Skipping stray line: 'Chaves Ulloa, Ramsa; Ph.D., Dartmouth College'
  ➜ Skipping stray line: 'Chittick, Sharla; Ph.D., University of Stirling'
  ➜ Skipping stray line: 'Condit, Lorna; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Cowan, Christy; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Crawford, Nathan; Ph.D., University of Tennessee-Knoxville'
  ➜ Skipping stray line: 'Crooks, Kathleen; Ph.D., University of Akron'
  ➜ Skipping stray line: 'Cross, Cameron; M.S., Kaplan University'
  ➜ Skipping stray line: 'Cureton, Sara; M.A., Gonzaga Univeristy'
  ➜ Skipping stray line: 'Cutler, Ned; Ph.D., Duke University'
  ➜ Skipping stray line: 'Dodge, Joshua; M.A., University of Central Florida'
  ➜ Skipping stray line: 'Dorre, Gina; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Douglas, Katherine; M.A., University of California, San Diego'
  ➜ Skipping stray line: 'Duff, Kandi; Ed.D., Idaho State University'
  ➜ Skipping stray line: 'Dungar, Michael; MA, Boston College'
  ➜ Skipping stray line: 'Edmunds, Jeffrey; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Evans, Robin; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Evenson Newhouse, Ranae; Ph.D., Vanderbilt University'
  ➜ Skipping stray line: 'Faucett, Jessica; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Fehnel, Bradley; M.S., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Fellow, Jill; M.S., Brigham Young University'
  ➜ Skipping stray line: 'Franco, Heidi; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Frusciante, Denise; Ph.D., University of Miami'
  ➜ Skipping stray line: 'Galindez, Dahlia; MA, Western Governors University'
  ➜ Skipping stray line: 'Gangaram, Jitendra; Ph.D., North Central University'
  ➜ Skipping stray line: 'Garrett, Janette; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Goodwin, Rachel; Ph.D., University of Texas'
  ➜ Skipping stray line: 'Gordon, Kelley; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Gravitte, Kristen; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Gradzielewski, Andrew; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Halula, Stephen; Ph.D., Marquette University'
  ➜ Skipping stray line: 'Harris, Steven; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Hartwick, Andromeda; Ph.D., University of Michigan'
  ➜ Skipping stray line: 'Hayne, Victoria; Ph.D., University of California - Los Angeles'
  ➜ Skipping stray line: 'Hernandez, Ali; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Hillyer, Aaron; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Horne, Lisa; M.A., Brigham Young University'
  ➜ Skipping stray line: 'Hurley, Norman; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Jensen, Taylor; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Johnson, Stephanie; MBA, Lindenwood University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 177'
  ➜ Skipping stray line: 'Jones, Lee; Ph.D., Clark Atlanta University'
  ➜ Skipping stray line: 'Kelley, Matthew; Ph.D., University of Nevada-Las Vegas'
  ➜ Skipping stray line: 'Kelly, Lynn; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Knieps, Linda; Ph.D., Vanderbilt University'
  ➜ Skipping stray line: 'Knous, Helen; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Landry, Stan; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Latham, Kary; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Lauren, Jennifer; Ph.D., Duquesne University'
  ➜ Skipping stray line: 'Leep, Matthew; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Lettau, Lisa; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Little, David; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Lukin, Kara; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Main, Daniel; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Mammen, John; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Mantooth, Stacy; Ph. D., University of Nevada – Las Vegas'
  ➜ Skipping stray line: 'Martin, Jonathan; M.A., West Virginia University'
  ➜ Skipping stray line: 'Mays, Ashley; Ph.D., University of North Carolina at Chapel Hill'
  ➜ Skipping stray line: 'McCune, Timothy; Ph.D., Youngstown State University'
  ➜ Skipping stray line: 'McWatters, Mason; Ph.D., University of Texas at Austin'
  ➜ Skipping stray line: 'Metoki, Kiyoko; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Meyer, Nicholas; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Miller, Don; Ph.D., Morehouse School of Medicine'
  ➜ Skipping stray line: 'Miller, Kathleen; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Moody, Vivian; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Mosgrove, Sharon; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Moss, Meg; Ph.D., University of Tennessee-Knoxville'
  ➜ Skipping stray line: 'Mzoughi, Taha; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Nelson, Angela; Ph.D., Cornell University'
  ➜ Skipping stray line: 'Nicley, Erinn; M.S., Florida State University'
  ➜ Skipping stray line: 'Norton, Cindy; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Olson, Nels; Ph.D., Michigan State University'
  ➜ Skipping stray line: 'Oulette, David; Ph.D., Virginia Commonwealth University'
  ➜ Skipping stray line: 'Palmer, Michael; M.F.A., University of Utah'
  ➜ Skipping stray line: 'Pankowski, Peg; Ed.D., Duquesne University'
  ➜ Skipping stray line: 'Parrish, Anca; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Parton, Sabrena; Ph.D., University of Southern Mississippi'
  ➜ Skipping stray line: 'Parvin, Kathleen; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Peppers, Shelitha; Ed.D., Maryville University'
  ➜ Skipping stray line: 'Perkins, Heidi; M.S., Excelsior College'
  ➜ Skipping stray line: 'Phillips, Dedra; M.A., Colorado Technical University'
  ➜ Skipping stray line: 'Potter, Christine; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Quintela, Melissa; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Radosavljevic, Alexander; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Redden, Cameron; MAT, Baldwin Wallace University'
  ➜ Skipping stray line: 'Redkey, Elizabeth; Ph.D., University at Albany, State University of New York'
  ➜ Skipping stray line: 'Remington, Theodore; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Rhodes, Kristofer; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Robinson, Ami; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Robinson, Jeffery; Ph.D., Drew University'
  ➜ Skipping stray line: 'Rosenblatt, Heather; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Rossi, Cynthia; Ph.D., University of Maryland'
  ➜ Skipping stray line: 'Saddler, Derrick; Ph.D., University of South Florida'
  ➜ Skipping stray line: 'Sanchez, Melvin; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Scheg, Abigail; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Scheib, Douglas; Ph.D., University of Miami'
  ➜ Skipping stray line: 'Scotece, Shannon; Ph.D., State University of New York - Albany'
  ➜ Skipping stray line: 'Shahi, Kimberley; Ph.D., University of Texas at Arlington'
  ➜ Skipping stray line: 'Sharpe, Robert; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Shimotsu-Dariol, Stephanie; Ph.D., West Virginia University'
  ➜ Skipping stray line: 'Simeon, Patricia; Ed.D., Grambling State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 178'
  ➜ Skipping stray line: 'Simmons, Nathaniel; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Smith, Tommie; MBA, Middle Tennessee State University'
  ➜ Skipping stray line: 'Springfield, Derriell; Ed.D., East Tennessee State University'
  ➜ Skipping stray line: 'St Martin, Ashley; M.S., University of Vermont'
  ➜ Skipping stray line: 'Stambaugh, Nathaniel; Ph.D., Brandeis University'
  ➜ Skipping stray line: 'Starr, Neil; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Timmer, Kristin; Ph.D., University of Tennessee Health Science Center'
  ➜ Skipping stray line: 'Tolin Schultz, Alexandra; Ph.D., Stony Brook University'
  ➜ Skipping stray line: 'Tucker, Diana; Ph.D., Southern Illinois University Carbondale'
  ➜ Skipping stray line: 'Tweedy, Joanna; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Verber, Jason; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Vida, Anna; M.A., Arizona State University'
  ➜ Skipping stray line: 'Walker, Hope; M.A., The American University'
  ➜ Skipping stray line: 'Weaver, Matthew; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Webb, James; M.A., Pacific University'
  ➜ Skipping stray line: 'Wellinghoff, Lisa; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Westmoreland, Brandi; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Whitson-Whennen, Tonya; M.M., University of Utah'
  ➜ Skipping stray line: 'Woolridge, Mary; Ph.D., University of Central Florida'
  ➜ Skipping stray line: 'Young, Michael; Ph.D., University of Missouri at Saint Louis'
  ➜ Skipping stray line: 'Zasadny, Jill; Ph.D., Kansas University'
  ➜ Skipping stray line: 'Teachers College'
  ➜ Skipping stray line: 'Aafif, Amal; Ph.D., Drexel University'
  ➜ Skipping stray line: 'Affleck, Alisa; M.A., Western Governors University'
  ➜ Skipping stray line: 'Allen, Elizabeth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Aranda, Christina; M.A., University of Utah'
  ➜ Skipping stray line: 'Aufderhaar, Carolyn; Ed.D., University of Cincinnati'
  ➜ Skipping stray line: 'Baxter, Marissa; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Belchik-Moser, Sara; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Betts, Anastasia; Ph.D., Regent University'
  ➜ Skipping stray line: 'Blanks, Dorothy; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Boen, Laurie; Ph.D., University of Arkansas'
  ➜ Skipping stray line: 'Boyd-Bradwell, Natasha; Ph.D., Capella University'
  ➜ Skipping stray line: 'Branan, Daniel; Ph.D., University of Denver'
  ➜ Skipping stray line: 'Branch, Leah; Ed.D., Bethel University'
  ➜ Skipping stray line: 'Brogan, Lynn; Ed.D., Columbia University'
  ➜ Skipping stray line: 'Brooks, Marlaina; Ed.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Calero, Lisa; Ph.D., Capella University'
  ➜ Skipping stray line: 'Carey, Kimberly; Ph.D., Old Dominion University'
  ➜ Skipping stray line: 'Cartwright, Nancy; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'Cohen, Kimberley; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Constanza, Michele; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Covey, Nicole; Ed.D., University of Memphis'
  ➜ Skipping stray line: 'Douglas, Deanna; Ph.D., Wichita State University'
  ➜ Skipping stray line: 'Dove, Teresa; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Dukes, Debra; Ed.D., University of Georgia'
  ➜ Skipping stray line: 'Durakiewicz, Anna; M.S., University of Marie Curie'
  ➜ Skipping stray line: 'Eisenhour, Melanie; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Feng, Suiping; Ph.D., City University of New York'
  ➜ Skipping stray line: 'Fillpot, Elsie; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Flavin, Kathryn; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Flores, Alberto; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Francis, David; M.A., Western Governors University'
  ➜ Skipping stray line: 'Giddens, Evelyn; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gillman, Brenna; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Gray-Dowdy, Audra; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Hall, Robert; Ph.D., Capella University'
  ➜ Skipping stray line: 'Halverson, Colleen; Ph.D., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Harbin, Lesley; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 179'
  ➜ Skipping stray line: 'Hardin, Bridgette; Ed.D., Texas A&M University-Corpus Christi'
  ➜ Skipping stray line: 'Hedman, Shawn; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Henry, Joanna; M.E., Lamar University'
  ➜ Skipping stray line: 'Hernandez, Julie; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Hiebel, Adam; Ed.D., Ohio University'
  ➜ Skipping stray line: 'Hudon-Miller, Sarah; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Hughes, Amy; Ed.D., University of Montana'
  ➜ Skipping stray line: 'Hutson, Tommye; Ed.D., Baylor University'
  ➜ Skipping stray line: 'Igbinoba-Cummings, Monique; Ph.D., Lynn University'
  ➜ Skipping stray line: 'Izumi, Alisa; Ed.D., University of Massachusetts'
  ➜ Skipping stray line: 'Jacobs, Patricia; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Janitzki, Dean; M.A., University of Toledo'
  ➜ Skipping stray line: 'Johnson, Sherri; Ph.D., Capella University'
  ➜ Skipping stray line: 'Jovic, Marko; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Kain, Meri; Ed.D., University of Missouri'
  ➜ Skipping stray line: 'Kelly, Gretchen; Ed.D., Walden University'
  ➜ Skipping stray line: 'Leinbach, William; Ed.D., Oregon State University'
  ➜ Skipping stray line: 'Lindemann, Steven; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Linkenhoker, Dina; Ed.D., Liberty University'
  ➜ Skipping stray line: 'Lipscomb, Pauline; Ed.D., University of the Cumberlands'
  ➜ Skipping stray line: 'Luster, Sandricia; Ed.S., Argosy University'
  ➜ Skipping stray line: 'McCarver, Patricia; Ph.D., California Institute of Integral Studies'
  ➜ Skipping stray line: 'McDaniel, Maryann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'McGrath Hovland, Michelle; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Mendes, John; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Miller, Esther; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Mills, Ginger; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Moore, Tontaleya; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Morgan, Matthew; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Mour, Jennifer; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Murray, Mary; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Obianyo, Obiamaka; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Odom, M. Katherine; Ph.D., University of South Alabama'
  ➜ Skipping stray line: 'O’Malley, Maureen; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Pack, Mamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Parry, Kelly; Ph.D., University of North Texas'
  ➜ Skipping stray line: 'Purnell, Courtney; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Quinn, Lori; M.A.Ed., Prairie View A&M University'
  ➜ Skipping stray line: 'Rahsaz, Jacqueline; M.A., University of California San Diego'
  ➜ Skipping stray line: 'Randonis, Jennifer; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Rawson, Robert; Ph.D., University of Texas Southwestern'
  ➜ Skipping stray line: 'Richen, Damara; Ed.D., Fielding Graduate University'
  ➜ Skipping stray line: 'Robles, Veronica; Ed.D., Arizona State University'
  ➜ Skipping stray line: 'Rogers, Carmelle; Ph.D., Kansas State University'
  ➜ Skipping stray line: 'Russell-Fry, Nancy; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Scales, Rebecca; M.A., Western Governors University'
  ➜ Skipping stray line: 'Schmidt, Stan; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Sepetys, Peggy; Ed.D., University of Michigan'
  ➜ Skipping stray line: 'Shrader, Vincent; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Silver, Jennifer; Ph.D., New York University'
  ➜ Skipping stray line: 'Sims, Rachel; Ed.D., Walden University'
  ➜ Skipping stray line: 'Smith, Janeal; Ph.D., Walden University'
  ➜ Skipping stray line: 'Spencer, Kristin; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Story, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Swenson, Karl; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Thompson, Julie; Ph.D., University of Rochester'
  ➜ Skipping stray line: 'Traub-Metlay, Suzanne; Ph.D., University of Pittsburg'
  ➜ Skipping stray line: 'Tresnak, Robyn; Ph.D., Walden University'
  ➜ Skipping stray line: 'Turner, Carmen; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Vickers, Paul; Ed.D., Stephen F. Austin State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 180'
  ➜ Skipping stray line: 'Walter-Sullivan, Earnestyne; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'Weinstein, Gideon; Ph.D., Indiana University Bloomington'
  ➜ Skipping stray line: 'Whitmire, Jane; Ph.D., University of Montana'
  ➜ Skipping stray line: 'Willey-Rendon, Ruby; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Williams, Lacey; Ed.D., Union Institute and University'
  ➜ Skipping stray line: 'Wisnosky, Marc; Ph.D., University of Pittsburgh'
  ➜ Skipping stray line: 'Yanusheva, Lidiya; Ed.D., Walden University'
  ➜ Skipping stray line: 'Yatherajam, Gayatri; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Zartman, Krista; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Zimmerli, Mandy; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'College of Business'
  ➜ Skipping stray line: 'Abubakari, Nina; J.D., Wayne State University'
  ➜ Skipping stray line: 'Adler, Kathleen; Ph.D., Southern Methodist University'
  ➜ Skipping stray line: 'Alafita, Theresa; Ph.D., George Washington University'
  ➜ Skipping stray line: 'Arenz, Russell; Ph.D., Colorado Technical University'
  ➜ Skipping stray line: 'Argiento, Steven; J.D., Pace University'
  ➜ Skipping stray line: 'Austin, Judy; MBA, Western Governors University'
  ➜ Skipping stray line: 'Baragoshi, Behroz; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Barton, Robert; Ed.S., Utah State University'
  ➜ Skipping stray line: 'Black, Hilda; Ph.D., Louisiana Tech University'
  ➜ Skipping stray line: 'Borch, Casey; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Boysen-Rotelli, Sheila; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Brownstein, Steven; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Carson, Pook; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Cassell, Kenneth; MBA, San Jose State University'
  ➜ Skipping stray line: 'Cherry, Patricia; Ph.D., Capella University'
  ➜ Skipping stray line: 'Clarke, Jeffrey; Ph.D., University of California-Los Angeles'
  ➜ Skipping stray line: 'Connor, Martin; J.D., University of North Dakota'
  ➜ Skipping stray line: 'Davis, Lorretta; Ph.D., Capella University'
  ➜ Skipping stray line: 'Davis, Mary; Ed.D., Central Michigan University'
  ➜ Skipping stray line: 'Doctorman, Lindsey; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Doren, Andrew; D.M., University of Maryland'
  ➜ Skipping stray line: 'Dula, Kimberly; Ph.D., Mercer University'
  ➜ Skipping stray line: 'Duran, Anthony; DBA, Grand Canyon University'
  ➜ Skipping stray line: 'Ennis, Erica; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Etter, Edwin; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Feehery, George; DBA, Nova Southeastern University'
  ➜ Skipping stray line: 'Fisher, Paul; Ph.D., Oregon State University'
  ➜ Skipping stray line: 'Gallo, Merry; DBA, Argosy University'
  ➜ Skipping stray line: 'Garland, Jennifer; DBA, Keiser University'
  ➜ Skipping stray line: 'Geddes, Bruce; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gilyot, Bianca; MBA, Northcentral University'
  ➜ Skipping stray line: 'Giscombe, Hilbert; DBA, Argosy University'
  ➜ Skipping stray line: 'Gough, Gregory; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Green, Maurice; Ph.D., University at Albany – State University of New York'
  ➜ Skipping stray line: 'Gunn, Linda; Ph.D., Union Institute and University'
  ➜ Skipping stray line: 'Havins, Merwin; Ed.D., Northern Arizona University'
  ➜ Skipping stray line: 'Heinzman, Joseph; DM, Colorado Technical University'
  ➜ Skipping stray line: 'Hon, Charles; Ph.D., Capella University'
  ➜ Skipping stray line: 'Hudson, Brandi; J.D., Regent University'
  ➜ Skipping stray line: 'Iannucci, Brian; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Imboden, Paul; DBA., Northcentral University'
  ➜ Skipping stray line: 'Jividen, Jim; J.D., Ohio Northern University'
  ➜ Skipping stray line: 'Jones, Alan; MBA, Dartmouth College'
  ➜ Skipping stray line: 'Justice, Jeanne; DBA, Walden University'
  ➜ Skipping stray line: 'Kale, Mrinalini; Ph.D., Capella University'
  ➜ Skipping stray line: 'Kenny, Timothy; M.S., Regis University'
  ➜ Skipping stray line: 'Kowalski, Christine; Ed.D., National Louis University'
  ➜ Skipping stray line: 'Kushniroff, Melinda; Ed.D., Liberty University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 181'
  ➜ Skipping stray line: 'La Hay, Ann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Lagroue, Harold; Ph.D., Louisiana State University'
  ➜ Skipping stray line: 'Lamer, Maryann; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Langdon, Debra; MBA, Denver University'
  ➜ Skipping stray line: 'Lutter-Cooper, Victoria; Ph.D., Capella University'
  ➜ Skipping stray line: 'Marshall, Mario; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'McClesky, Jamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'McNulty, Peggy; Ph.D., University of Colorado-Colorado Springs'
  ➜ Skipping stray line: 'Melton, Rebecca; Ph.D., Chicago School of Professional Psychology'
  ➜ Skipping stray line: 'Mills, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Moore, Detria; J.D., Liberty University'
  ➜ Skipping stray line: 'Neely, Cecil; MBA, University of North Carolina at Greensboro'
  ➜ Skipping stray line: 'Nelms, Linda; Ph.D., Capella University'
  ➜ Skipping stray line: 'Nelson, Camille; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'O’Brien, Joseph; Ed.D., George Washington University'
  ➜ Skipping stray line: 'Openshaw, Matthew; Ph.D., University of Texas at Dallas'
  ➜ Skipping stray line: 'Parish, Beth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Patterson, Julie; Ph.D., University of Illinois at Urbana-Champaign'
  ➜ Skipping stray line: 'Pawarski, Richard; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Phillips, Patti; J.D., Stetson University'
  ➜ Skipping stray line: 'Pratt, Christopher; DHA, University of Phoenix'
  ➜ Skipping stray line: 'Raimo, Steve; DSL, Regent University'
  ➜ Skipping stray line: 'Richardson, Shay; DBA, Walden University'
  ➜ Skipping stray line: 'Roberts, Tracia; M.S., University of Phoenix'
  ➜ Skipping stray line: 'Roberts, Wade; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Rogers, Katie; MBA, University of Utah'
  ➜ Skipping stray line: 'Sawant, Gauri; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Shah, Rob; MBA, DeVry University'
  ➜ Skipping stray line: 'Shepherd, Tracie; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Skinner, Susan; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Snipes, Dawna; J.D., Western Michigan University'
  ➜ Skipping stray line: 'Souder, Michele; MBA, University of Dayton'
  ➜ Skipping stray line: 'Spicer, Ronald; Ph.D., Capella University'
  ➜ Skipping stray line: 'Stewart, Michelle; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Strickland, Cynthia; Ph.D., Touro University International'
  ➜ Skipping stray line: 'Swarthout, Nanette; MBA, Fontbonne University'
  ➜ Skipping stray line: 'Tapp, Timothy; MHA, Washington University'
  ➜ Skipping stray line: 'Thomas, Melanie; J.D., University of North Carolina'
  ➜ Skipping stray line: 'Venkateswar, Sankaran; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Wachter, Eddie; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Wade, Keith; MBA, University of Detroit'
  ➜ Skipping stray line: 'Walker, Natalie; DBA, Keiser University'
  ➜ Skipping stray line: 'Wang, Xiaofei; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Williams, Pegeen; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Williams, Rian; MPA, University of Utah'
  ➜ Skipping stray line: 'Wood, Carrie; M.S., Strayer University'
  ➜ Skipping stray line: 'College of Information Technology'
  ➜ Skipping stray line: 'Al-Husaam, Abdul; Ph.D., Capella University'
  ➜ Skipping stray line: 'Alberici, Mary; Ph.D., University of Missouri-St. Louis'
  ➜ Skipping stray line: 'Allen, Candice; M.A., Capella University'
  ➜ Skipping stray line: 'Antonucci, Amy; M.S., University of Delaware'
  ➜ Skipping stray line: 'Banerjee, Pubali; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'Beverley, Charles; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Blanson, Constance; Ph.D., Capella University'
  ➜ Skipping stray line: 'Bojonny, John; M.S., Marywood University'
  ➜ Skipping stray line: 'Borsum, Pamela; MBA, Western Governors University'
  ➜ Skipping stray line: 'Campbell, Wendy; DBA, Northcentral University'
  ➜ Skipping stray line: 'Carter, Betty; M.S., Troy University'
  ➜ Skipping stray line: 'Cobbs, Dana; M.S., College of William and Mary'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 182'
  ➜ Skipping stray line: 'Cook, Henry; M.S., Clark Atlanta University'
  ➜ Skipping stray line: 'Crawford, Demetria; M.S., Boston University'
  ➜ Skipping stray line: 'Dupree, Yolanda; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Farmer, Jaynee; M.A., University of Arkansas at Little Rock'
  ➜ Skipping stray line: 'Ferdinand, Jeff; M.S., Trident University International'
  ➜ Skipping stray line: 'Gardner, Diana; MBA, Western Governors University'
  ➜ Skipping stray line: 'Garza, Brian; M.S., Western Governors University'
  ➜ Skipping stray line: 'Goodwin, Orenthio; Ph.D., Capella University'
  ➜ Skipping stray line: 'Heiner, Jenny; M.S., Capitol College'
  ➜ Skipping stray line: 'Huff, David; Ph.D., Wayne State University'
  ➜ Skipping stray line: 'Jensen, Bryan; M.S., Bellvue University'
  ➜ Skipping stray line: 'Kercher, Paul; M.S., Missouri University of Science and Technology'
  ➜ Skipping stray line: 'LaMolinare, Deana; M.S., Duquesne University'
  ➜ Skipping stray line: 'Lang, Cythia; MSCHe, University of Maryland'
  ➜ Skipping stray line: 'Lavieri, Edward; DCS, Colorado Technical University'
  ➜ Skipping stray line: 'Light, Gerri; M.S., Walden University'
  ➜ Skipping stray line: 'Lively, Charles; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'McFarlane, Michele; M.S., DeVry University'
  ➜ Skipping stray line: 'McLaughlin, Mike; M.S., University of Maine'
  ➜ Skipping stray line: 'Mendell, Ronald; M.S., Capitol College'
  ➜ Skipping stray line: 'Milham, Thomas; MNCM, DeVry University'
  ➜ Skipping stray line: 'Moore, Ronald; M.A., Troy University'
  ➜ Skipping stray line: 'Morrill, Ralph; Ph.D., North Central University'
  ➜ Skipping stray line: 'Ntinglet-Davis, Emelda; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Ozmer, Connie; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Paddock, Charles; Ph.D., University of Houston'
  ➜ Skipping stray line: 'Peterson, Michael; Ph.D., Capella University'
  ➜ Skipping stray line: 'Pinaire, Ken; MBA, University of Texas at Dallas'
  ➜ Skipping stray line: 'Rawlinson, David; J.D., South Texas College of Law'
  ➜ Skipping stray line: 'Schaefer, Brett; MBA, DeVry University'
  ➜ Skipping stray line: 'Shenk, Maria; M.S., City University of Seattle'
  ➜ Skipping stray line: 'Scutro, Rebecca; M.S., Saint Joseph’s University'
  ➜ Skipping stray line: 'Sewell, William; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Sher-DeCusatis, Carolyn; M.A., State University of New York at Stony Brook'
  ➜ Skipping stray line: 'Shields, Jessica; MFA, Savannah College of Art and Design'
  ➜ Skipping stray line: 'Sistelos, Antonio; Ph.D., Indiana State University'
  ➜ Skipping stray line: 'Stromberg, Scott; M.S., Nova Southeastern University'
  ➜ Skipping stray line: 'Swanson, Tom; Ph.D., Capella University'
  ➜ Skipping stray line: 'Taylor, Julinda; M.S., Wichita State University'
  ➜ Skipping stray line: 'Travis, Susan; M.A., University of Phoenix'
  ➜ Skipping stray line: 'College of Health Professions'
  ➜ Skipping stray line: 'Abdur-Rahman, Veronica; Ph.D., Texas Woman’s University'
  ➜ Skipping stray line: 'Abee, Debra; M.S., University of North Carolina Greensboro'
  ➜ Skipping stray line: 'Abraham, Gail; MSN/ED, University of Phoenix'
  ➜ Skipping stray line: 'Adams, Lora; M.S., Michigan State University'
  ➜ Skipping stray line: 'Adkins, Dee; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Allen, Juanita; DNP, University of Utah'
  ➜ Skipping stray line: 'Ashby, Shelley; DNP, University of Southern Indiana'
  ➜ Skipping stray line: 'Austgen, Donna; M.S., University of Indianapolis'
  ➜ Skipping stray line: 'Barber, Kendar; M.S., Indiana University'
  ➜ Skipping stray line: 'Battle, Linda; DNP, Regis College'
  ➜ Skipping stray line: 'Benoit, Heidi; M.S., Western Governors University'
  ➜ Skipping stray line: 'Benson, Johnett; DNP, Kent State University'
  ➜ Skipping stray line: 'Bergfeld, Marcia; M.S., Lourdes College'
  ➜ Skipping stray line: 'Berndt, Janeen; DNP, Valparaiso University'
  ➜ Skipping stray line: 'Blaine, Stephanie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Cain, Lyn; Ph.D., Grand Canyon University'
  ➜ Skipping stray line: 'Carney, Mary; DNP, Touro University – Nevada'
  ➜ Skipping stray line: 'Chau-Nguyen, Thao; MPH, Tulane University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 183'
  ➜ Skipping stray line: 'Cleveland, Melissa; DNP, Rocky Mountain University'
  ➜ Skipping stray line: 'Cloonan, Kelly; DNP, Case Western Reserve'
  ➜ Skipping stray line: 'Dahdal, Kimberly; M.S., Western Governors University'
  ➜ Skipping stray line: 'Dantzler, Barbara; Ph.D., Trident University'
  ➜ Skipping stray line: 'Diaz, Constance; Ph.D., University of Northern Colorado'
  ➜ Skipping stray line: 'Diaz, Lorna; DNP, Western University of Health Sciences'
  ➜ Skipping stray line: 'Dorin, Michelle; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Dush, Curtis; M.S., East Tennessee State University'
  ➜ Skipping stray line: 'Elmer, Justine; M.S., Kaplan University'
  ➜ Skipping stray line: 'Englert, Mary; DNP, University of North Florida'
  ➜ Skipping stray line: 'Feather, Rebecca; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Frankie, Sandra; M.S., Western Governors University'
  ➜ Skipping stray line: 'Gabel, Ann; M.S., University of Kansas'
  ➜ Skipping stray line: 'Gayol, Marcos; M.S., Aspen University'
  ➜ Skipping stray line: 'Giaquinto, Elisa; M.A., Brown University'
  ➜ Skipping stray line: 'Gogatz, Debra; DNP, Regis University'
  ➜ Skipping stray line: 'Golden, Christina; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Gottesfeld, Ilene; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Gwyn, Elizabeth; M.S., Winston Salem State University'
  ➜ Skipping stray line: 'Hadsell, Christine; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Hansen, Julie; Ph.D., South Dakota State University'
  ➜ Skipping stray line: 'Hartley-Clanton, Patricia; M.S., University of Utah'
  ➜ Skipping stray line: 'Hawkins, Shannon; M.S., Walden University'
  ➜ Skipping stray line: 'Heyer-Schmidt, Theres-Anne; ND, University of Colorado-Denver'
  ➜ Skipping stray line: 'Hill, Dana; Ph.D., Walden University'
  ➜ Skipping stray line: 'Hunt, Eleanor; M.S., Duke University'
  ➜ Skipping stray line: 'Johnson-Anderson, Heidi; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Kangas, Sandra; Ph.D., Georgia State University'
  ➜ Skipping stray line: 'Kogan, Lisa; M.S., Western Governors University'
  ➜ Skipping stray line: 'Langer Atkinson, Heidi; Ph.D., University of Albany'
  ➜ Skipping stray line: 'Lashlee, Marilyn; DNP, Northeastern University'
  ➜ Skipping stray line: 'Long, Jennifer; M.S., Indiana University'
  ➜ Skipping stray line: 'Marshall, Janet; Ph.D., Rush University'
  ➜ Title candidate: 'Masterson, Debra; Ed.D., Liberty University'
  ✔️ Collected description (40 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 6888: 'LRT1 - Practicum in Educational Leadership - Foundational Perspectives of Education includes a series of performance tasks to take place under'

🔍 parse_program: starting at line 6888: 'LRT1 - Practicum in Educational Leadership - Foundational Perspectives of Education includes a series of performance tasks to take place under'
  ➜ Title candidate: 'LRT1 - Practicum in Educational Leadership - Foundational Perspectives of Education includes a series of performance tasks to take place under'
  ❌ Invalid title line: 'LRT1 - Practicum in Educational Leadership - Foundational Perspectives of Education includes a series of performance tasks to take place under'
  ➜ Parsing at 6889: 'the leadership of a practicing state licensed school principal or assistant principal in a practicum school site (K–12). This assessment also includes'

🔍 parse_program: starting at line 6889: 'the leadership of a practicing state licensed school principal or assistant principal in a practicum school site (K–12). This assessment also includes'
  ➜ Title candidate: 'the leadership of a practicing state licensed school principal or assistant principal in a practicum school site (K–12). This assessment also includes'
  ❌ Invalid title line: 'the leadership of a practicing state licensed school principal or assistant principal in a practicum school site (K–12). This assessment also includes'
  ➜ Parsing at 6890: 'completion of assigned administrative duties to take place in both elementary (K–6) and secondary (7–12) settings under the leadership and'

🔍 parse_program: starting at line 6890: 'completion of assigned administrative duties to take place in both elementary (K–6) and secondary (7–12) settings under the leadership and'
  ➜ Title candidate: 'completion of assigned administrative duties to take place in both elementary (K–6) and secondary (7–12) settings under the leadership and'
  ❌ Invalid title line: 'completion of assigned administrative duties to take place in both elementary (K–6) and secondary (7–12) settings under the leadership and'
  ➜ Parsing at 6891: 'supervision of the cooperating administrator in your case study school site. Practicum requirements vary by state of intended licensure and WGU'

🔍 parse_program: starting at line 6891: 'supervision of the cooperating administrator in your case study school site. Practicum requirements vary by state of intended licensure and WGU'
  ➜ Title candidate: 'supervision of the cooperating administrator in your case study school site. Practicum requirements vary by state of intended licensure and WGU'
  ❌ Invalid title line: 'supervision of the cooperating administrator in your case study school site. Practicum requirements vary by state of intended licensure and WGU'
  ➜ Parsing at 6892: 'program requirements, and the standard has been set between 275 and 540 of logged practicum activities that span a minimum of six consecutive'

🔍 parse_program: starting at line 6892: 'program requirements, and the standard has been set between 275 and 540 of logged practicum activities that span a minimum of six consecutive'
  ➜ Title candidate: 'program requirements, and the standard has been set between 275 and 540 of logged practicum activities that span a minimum of six consecutive'
  ❌ Invalid title line: 'program requirements, and the standard has been set between 275 and 540 of logged practicum activities that span a minimum of six consecutive'
  ➜ Parsing at 6893: 'months. Please refer back to the WGU Student Handbook for reference of your program requirements. You are required to pass the Practicum in'

🔍 parse_program: starting at line 6893: 'months. Please refer back to the WGU Student Handbook for reference of your program requirements. You are required to pass the Practicum in'
  ➜ Title candidate: 'months. Please refer back to the WGU Student Handbook for reference of your program requirements. You are required to pass the Practicum in'
  ❌ Invalid title line: 'months. Please refer back to the WGU Student Handbook for reference of your program requirements. You are required to pass the Practicum in'
  ➜ Parsing at 6894: 'Educational Leadership performance assessments and successfully submit other documentation, including evaluations of your performance'

🔍 parse_program: starting at line 6894: 'Educational Leadership performance assessments and successfully submit other documentation, including evaluations of your performance'
  ➜ Title candidate: 'Educational Leadership performance assessments and successfully submit other documentation, including evaluations of your performance'
  ❌ Invalid title line: 'Educational Leadership performance assessments and successfully submit other documentation, including evaluations of your performance'
  ➜ Parsing at 6895: 'completed by the cooperating administrator and documentation of completion of state-required hours of assigned administrative duties. The'

🔍 parse_program: starting at line 6895: 'completed by the cooperating administrator and documentation of completion of state-required hours of assigned administrative duties. The'
  ➜ Title candidate: 'completed by the cooperating administrator and documentation of completion of state-required hours of assigned administrative duties. The'
  ❌ Invalid title line: 'completed by the cooperating administrator and documentation of completion of state-required hours of assigned administrative duties. The'
  ➜ Parsing at 6896: 'Educational Leadership Practicum requires a practicum fee. During the Educational Leadership Practicum, you are also expected to take and pass'

🔍 parse_program: starting at line 6896: 'Educational Leadership Practicum requires a practicum fee. During the Educational Leadership Practicum, you are also expected to take and pass'
  ➜ Title candidate: 'Educational Leadership Practicum requires a practicum fee. During the Educational Leadership Practicum, you are also expected to take and pass'
  ❌ Invalid title line: 'Educational Leadership Practicum requires a practicum fee. During the Educational Leadership Practicum, you are also expected to take and pass'
  ➜ Parsing at 6897: 'your state's licensure examination(s) required for certification as a school principal and the PRAXIS 5411 Educational Leadership: Administration and'

🔍 parse_program: starting at line 6897: 'your state's licensure examination(s) required for certification as a school principal and the PRAXIS 5411 Educational Leadership: Administration and'
  ➜ Title candidate: 'your state's licensure examination(s) required for certification as a school principal and the PRAXIS 5411 Educational Leadership: Administration and'
  ❌ Invalid title line: 'your state's licensure examination(s) required for certification as a school principal and the PRAXIS 5411 Educational Leadership: Administration and'
  ➜ Parsing at 6898: 'Supervision exam.'

🔍 parse_program: starting at line 6898: 'Supervision exam.'
  ➜ Title candidate: 'Supervision exam.'
  ❌ Invalid title line: 'Supervision exam.'
  ➜ Parsing at 6899: 'LST1 - Strategic Planning for Educational Leaders - This subdomain reviews principles and practices of the strategic planning process as well as a'

🔍 parse_program: starting at line 6899: 'LST1 - Strategic Planning for Educational Leaders - This subdomain reviews principles and practices of the strategic planning process as well as a'
  ➜ Title candidate: 'LST1 - Strategic Planning for Educational Leaders - This subdomain reviews principles and practices of the strategic planning process as well as a'
  ❌ Invalid title line: 'LST1 - Strategic Planning for Educational Leaders - This subdomain reviews principles and practices of the strategic planning process as well as a'
  ➜ Parsing at 6900: 'case study review of the strategic planning processes in your case study site.'

🔍 parse_program: starting at line 6900: 'case study review of the strategic planning processes in your case study site.'
  ➜ Title candidate: 'case study review of the strategic planning processes in your case study site.'
  ❌ Invalid title line: 'case study review of the strategic planning processes in your case study site.'
  ➜ Parsing at 6901: 'LWT1 - Workforce Focus for Educational Leaders - This subdomain reviews best practices in human resource administration for educational'

🔍 parse_program: starting at line 6901: 'LWT1 - Workforce Focus for Educational Leaders - This subdomain reviews best practices in human resource administration for educational'
  ➜ Title candidate: 'LWT1 - Workforce Focus for Educational Leaders - This subdomain reviews best practices in human resource administration for educational'
  ❌ Invalid title line: 'LWT1 - Workforce Focus for Educational Leaders - This subdomain reviews best practices in human resource administration for educational'
  ➜ Parsing at 6902: 'leaders, as well as an evaluation of your case study site’s workforce management practices.'

🔍 parse_program: starting at line 6902: 'leaders, as well as an evaluation of your case study site’s workforce management practices.'
  ➜ Title candidate: 'leaders, as well as an evaluation of your case study site’s workforce management practices.'
  ❌ Invalid title line: 'leaders, as well as an evaluation of your case study site’s workforce management practices.'
  ➜ Parsing at 6903: 'LZT2 - Power, Influence and Leadership - This course focuses on the development of the critical leadership and soft skills necessary for success in'

🔍 parse_program: starting at line 6903: 'LZT2 - Power, Influence and Leadership - This course focuses on the development of the critical leadership and soft skills necessary for success in'
  ➜ Title candidate: 'LZT2 - Power, Influence and Leadership - This course focuses on the development of the critical leadership and soft skills necessary for success in'
  ❌ Invalid title line: 'LZT2 - Power, Influence and Leadership - This course focuses on the development of the critical leadership and soft skills necessary for success in'
  ➜ Parsing at 6904: 'information technology leadership and management. The course focuses specifically on skills such as cultivating effective leadership communication,'

🔍 parse_program: starting at line 6904: 'information technology leadership and management. The course focuses specifically on skills such as cultivating effective leadership communication,'
  ➜ Title candidate: 'information technology leadership and management. The course focuses specifically on skills such as cultivating effective leadership communication,'
  ❌ Invalid title line: 'information technology leadership and management. The course focuses specifically on skills such as cultivating effective leadership communication,'
  ➜ Parsing at 6905: 'building personal influence, enhancing emotional intelligence (soft skills), generating ideas and encouraging idea generation in others, conflict'

🔍 parse_program: starting at line 6905: 'building personal influence, enhancing emotional intelligence (soft skills), generating ideas and encouraging idea generation in others, conflict'
  ➜ Title candidate: 'building personal influence, enhancing emotional intelligence (soft skills), generating ideas and encouraging idea generation in others, conflict'
  ❌ Invalid title line: 'building personal influence, enhancing emotional intelligence (soft skills), generating ideas and encouraging idea generation in others, conflict'
  ➜ Parsing at 6906: 'resolution, and positioning oneself as an influential change agent within different organizational cultures.'

🔍 parse_program: starting at line 6906: 'resolution, and positioning oneself as an influential change agent within different organizational cultures.'
  ➜ Title candidate: 'resolution, and positioning oneself as an influential change agent within different organizational cultures.'
  ❌ Invalid title line: 'resolution, and positioning oneself as an influential change agent within different organizational cultures.'
  ➜ Parsing at 6907: 'MAT2 - Information Technology Management - This course will prepare students to cope with information technology resources in a manner'

🔍 parse_program: starting at line 6907: 'MAT2 - Information Technology Management - This course will prepare students to cope with information technology resources in a manner'
  ➜ Title candidate: 'MAT2 - Information Technology Management - This course will prepare students to cope with information technology resources in a manner'
  ❌ Invalid title line: 'MAT2 - Information Technology Management - This course will prepare students to cope with information technology resources in a manner'
  ➜ Parsing at 6908: 'beneficial to their company. Such skill includes estimating both the cost and value of IT to the company, setting priorities for project selection,'

🔍 parse_program: starting at line 6908: 'beneficial to their company. Such skill includes estimating both the cost and value of IT to the company, setting priorities for project selection,'
  ➜ Title candidate: 'beneficial to their company. Such skill includes estimating both the cost and value of IT to the company, setting priorities for project selection,'
  ❌ Invalid title line: 'beneficial to their company. Such skill includes estimating both the cost and value of IT to the company, setting priorities for project selection,'
  ➜ Parsing at 6909: 'management of IT projects, and handling risk. These responsibilities imply an ability to align technology with an organization’s strategic goals. In total,'

🔍 parse_program: starting at line 6909: 'management of IT projects, and handling risk. These responsibilities imply an ability to align technology with an organization’s strategic goals. In total,'
  ➜ Title candidate: 'management of IT projects, and handling risk. These responsibilities imply an ability to align technology with an organization’s strategic goals. In total,'
  ❌ Invalid title line: 'management of IT projects, and handling risk. These responsibilities imply an ability to align technology with an organization’s strategic goals. In total,'
  ➜ Parsing at 6910: 'students will develop the ability to effectively administer and manage current and emerging technologies within an organization.'

🔍 parse_program: starting at line 6910: 'students will develop the ability to effectively administer and manage current and emerging technologies within an organization.'
  ➜ Title candidate: 'students will develop the ability to effectively administer and manage current and emerging technologies within an organization.'
  ❌ Invalid title line: 'students will develop the ability to effectively administer and manage current and emerging technologies within an organization.'
  ➜ Parsing at 6911: 'MBT2 - Technological Globalization - This course is designed to equip students to better understand the fundamental, galvanizing and'

🔍 parse_program: starting at line 6911: 'MBT2 - Technological Globalization - This course is designed to equip students to better understand the fundamental, galvanizing and'
  ➜ Title candidate: 'MBT2 - Technological Globalization - This course is designed to equip students to better understand the fundamental, galvanizing and'
  ❌ Invalid title line: 'MBT2 - Technological Globalization - This course is designed to equip students to better understand the fundamental, galvanizing and'
  ➜ Parsing at 6912: 'transformational role of advanced IT communications, networks and services in all major industries; advanced IT is an unparalleled force multiplier in'

🔍 parse_program: starting at line 6912: 'transformational role of advanced IT communications, networks and services in all major industries; advanced IT is an unparalleled force multiplier in'
  ➜ Title candidate: 'transformational role of advanced IT communications, networks and services in all major industries; advanced IT is an unparalleled force multiplier in'
  ❌ Invalid title line: 'transformational role of advanced IT communications, networks and services in all major industries; advanced IT is an unparalleled force multiplier in'
  ➜ Parsing at 6913: 'scientific research, energy production and use, health and medicine. IT is a critical resource in the global community, economically, socially, politically'

🔍 parse_program: starting at line 6913: 'scientific research, energy production and use, health and medicine. IT is a critical resource in the global community, economically, socially, politically'
  ➜ Title candidate: 'scientific research, energy production and use, health and medicine. IT is a critical resource in the global community, economically, socially, politically'
  ❌ Invalid title line: 'scientific research, energy production and use, health and medicine. IT is a critical resource in the global community, economically, socially, politically'
  ➜ Parsing at 6914: 'and culturally.'

🔍 parse_program: starting at line 6914: 'and culturally.'
  ➜ Title candidate: 'and culturally.'
  ❌ Invalid title line: 'and culturally.'
  ➜ Parsing at 6915: 'MCT2 - Technical Writing - As IT professionals are frequently required to interface with customers, clients, other departments, organizational leaders,'

🔍 parse_program: starting at line 6915: 'MCT2 - Technical Writing - As IT professionals are frequently required to interface with customers, clients, other departments, organizational leaders,'
  ➜ Title candidate: 'MCT2 - Technical Writing - As IT professionals are frequently required to interface with customers, clients, other departments, organizational leaders,'
  ❌ Invalid title line: 'MCT2 - Technical Writing - As IT professionals are frequently required to interface with customers, clients, other departments, organizational leaders,'
  ➜ Parsing at 6916: 'and even other institutions, strong communication skills are vital. In this course, students learn to communicate accurately, effectively, and ethically to'

🔍 parse_program: starting at line 6916: 'and even other institutions, strong communication skills are vital. In this course, students learn to communicate accurately, effectively, and ethically to'
  ➜ Title candidate: 'and even other institutions, strong communication skills are vital. In this course, students learn to communicate accurately, effectively, and ethically to'
  ❌ Invalid title line: 'and even other institutions, strong communication skills are vital. In this course, students learn to communicate accurately, effectively, and ethically to'
  ➜ Parsing at 6917: 'a variety of audiences. Students design communication to fit oral, print, and multi-media contexts. They develop rhetorical sensitivity in both their'

🔍 parse_program: starting at line 6917: 'a variety of audiences. Students design communication to fit oral, print, and multi-media contexts. They develop rhetorical sensitivity in both their'
  ➜ Title candidate: 'a variety of audiences. Students design communication to fit oral, print, and multi-media contexts. They develop rhetorical sensitivity in both their'
  ❌ Invalid title line: 'a variety of audiences. Students design communication to fit oral, print, and multi-media contexts. They develop rhetorical sensitivity in both their'
  ➜ Parsing at 6918: 'writing and their design decisions.'

🔍 parse_program: starting at line 6918: 'writing and their design decisions.'
  ➜ Title candidate: 'writing and their design decisions.'
  ❌ Invalid title line: 'writing and their design decisions.'
  ➜ Parsing at 6919: 'MEC1 - Foundations of Measurement and Evaluation - Foundations of Measurement and Evaluation focuses on assessment validity, constructing'

🔍 parse_program: starting at line 6919: 'MEC1 - Foundations of Measurement and Evaluation - Foundations of Measurement and Evaluation focuses on assessment validity, constructing'
  ➜ Title candidate: 'MEC1 - Foundations of Measurement and Evaluation - Foundations of Measurement and Evaluation focuses on assessment validity, constructing'
  ❌ Invalid title line: 'MEC1 - Foundations of Measurement and Evaluation - Foundations of Measurement and Evaluation focuses on assessment validity, constructing'
  ➜ Parsing at 6920: 'reliable test instruments, identifying appropriate item and instrument types, qualitative data collection tools and techniques, and conducting a formative'

🔍 parse_program: starting at line 6920: 'reliable test instruments, identifying appropriate item and instrument types, qualitative data collection tools and techniques, and conducting a formative'
  ➜ Title candidate: 'reliable test instruments, identifying appropriate item and instrument types, qualitative data collection tools and techniques, and conducting a formative'
  ❌ Invalid title line: 'reliable test instruments, identifying appropriate item and instrument types, qualitative data collection tools and techniques, and conducting a formative'
  ➜ Parsing at 6921: 'and summative evaluation for an instruction product or program.'

🔍 parse_program: starting at line 6921: 'and summative evaluation for an instruction product or program.'
  ➜ Title candidate: 'and summative evaluation for an instruction product or program.'
  ❌ Invalid title line: 'and summative evaluation for an instruction product or program.'
  ➜ Parsing at 6922: 'MFT2 - Mathematics (K-6) Portfolio Oral Defense - Mathematics (K-6) Portfolio Oral Defense: Mathematics (K-6) Portfolio Defense focuses on a'

🔍 parse_program: starting at line 6922: 'MFT2 - Mathematics (K-6) Portfolio Oral Defense - Mathematics (K-6) Portfolio Oral Defense: Mathematics (K-6) Portfolio Defense focuses on a'
  ➜ Title candidate: 'MFT2 - Mathematics (K-6) Portfolio Oral Defense - Mathematics (K-6) Portfolio Oral Defense: Mathematics (K-6) Portfolio Defense focuses on a'
  ❌ Invalid title line: 'MFT2 - Mathematics (K-6) Portfolio Oral Defense - Mathematics (K-6) Portfolio Oral Defense: Mathematics (K-6) Portfolio Defense focuses on a'
  ➜ Parsing at 6923: 'formal presentation. The student will present an overview of their teacher work sample (TWS) portfolio discussing the challenges they faced and how'

🔍 parse_program: starting at line 6923: 'formal presentation. The student will present an overview of their teacher work sample (TWS) portfolio discussing the challenges they faced and how'
  ➜ Title candidate: 'formal presentation. The student will present an overview of their teacher work sample (TWS) portfolio discussing the challenges they faced and how'
  ❌ Invalid title line: 'formal presentation. The student will present an overview of their teacher work sample (TWS) portfolio discussing the challenges they faced and how'
  ➜ Parsing at 6924: 'they determined whether their goals were accomplished. They will explain the process they went through to develop the TWS portfolio and reflect on'

🔍 parse_program: starting at line 6924: 'they determined whether their goals were accomplished. They will explain the process they went through to develop the TWS portfolio and reflect on'
  ➜ Title candidate: 'they determined whether their goals were accomplished. They will explain the process they went through to develop the TWS portfolio and reflect on'
  ❌ Invalid title line: 'they determined whether their goals were accomplished. They will explain the process they went through to develop the TWS portfolio and reflect on'
  ➜ Parsing at 6925: 'the methodologies and outcomes of the strategies discussed in the TWS portfolio. Additionally, they will discuss the strengths and weaknesses of'

🔍 parse_program: starting at line 6925: 'the methodologies and outcomes of the strategies discussed in the TWS portfolio. Additionally, they will discuss the strengths and weaknesses of'
  ➜ Title candidate: 'the methodologies and outcomes of the strategies discussed in the TWS portfolio. Additionally, they will discuss the strengths and weaknesses of'
  ❌ Invalid title line: 'the methodologies and outcomes of the strategies discussed in the TWS portfolio. Additionally, they will discuss the strengths and weaknesses of'
  ➜ Parsing at 6926: 'those strategies and how they can apply what they learned from the TWS portfolio in their professional work environment.'

🔍 parse_program: starting at line 6926: 'those strategies and how they can apply what they learned from the TWS portfolio in their professional work environment.'
  ➜ Title candidate: 'those strategies and how they can apply what they learned from the TWS portfolio in their professional work environment.'
  ❌ Invalid title line: 'those strategies and how they can apply what they learned from the TWS portfolio in their professional work environment.'
  ➜ Parsing at 6927: 'MGT2 - IT Project Management - IT Project Management provides an overview of the Project Management Institute’s project management'

🔍 parse_program: starting at line 6927: 'MGT2 - IT Project Management - IT Project Management provides an overview of the Project Management Institute’s project management'
  ➜ Title candidate: 'MGT2 - IT Project Management - IT Project Management provides an overview of the Project Management Institute’s project management'
  ❌ Invalid title line: 'MGT2 - IT Project Management - IT Project Management provides an overview of the Project Management Institute’s project management'
  ➜ Parsing at 6928: 'methodology. Topics cover various process groups and knowledge areas and application of knowledge in case studies for planning a project that has'

🔍 parse_program: starting at line 6928: 'methodology. Topics cover various process groups and knowledge areas and application of knowledge in case studies for planning a project that has'
  ➜ Title candidate: 'methodology. Topics cover various process groups and knowledge areas and application of knowledge in case studies for planning a project that has'
  ❌ Invalid title line: 'methodology. Topics cover various process groups and knowledge areas and application of knowledge in case studies for planning a project that has'
  ➜ Parsing at 6929: 'not started yet and monitoring/controlling a project that is already underway.'

🔍 parse_program: starting at line 6929: 'not started yet and monitoring/controlling a project that is already underway.'
  ➜ Title candidate: 'not started yet and monitoring/controlling a project that is already underway.'
  ❌ Invalid title line: 'not started yet and monitoring/controlling a project that is already underway.'
  ➜ Parsing at 6930: 'MMT2 - IT Strategic Solutions - In IT Strategic Solutions the learner will have the opportunity to identify strategic opportunities and emerging'

🔍 parse_program: starting at line 6930: 'MMT2 - IT Strategic Solutions - In IT Strategic Solutions the learner will have the opportunity to identify strategic opportunities and emerging'
  ➜ Title candidate: 'MMT2 - IT Strategic Solutions - In IT Strategic Solutions the learner will have the opportunity to identify strategic opportunities and emerging'
  ❌ Invalid title line: 'MMT2 - IT Strategic Solutions - In IT Strategic Solutions the learner will have the opportunity to identify strategic opportunities and emerging'
  ➜ Parsing at 6931: 'technologies as they research and decide on a system to support a growing company. Topics will include technology strategy; gap analysis;'

🔍 parse_program: starting at line 6931: 'technologies as they research and decide on a system to support a growing company. Topics will include technology strategy; gap analysis;'
  ➜ Title candidate: 'technologies as they research and decide on a system to support a growing company. Topics will include technology strategy; gap analysis;'
  ❌ Invalid title line: 'technologies as they research and decide on a system to support a growing company. Topics will include technology strategy; gap analysis;'
  ➜ Parsing at 6932: 'researching new technology; strengths, opportunities, weaknesses, and threats; ethics; risk mitigation; data security, communication plans; and'

🔍 parse_program: starting at line 6932: 'researching new technology; strengths, opportunities, weaknesses, and threats; ethics; risk mitigation; data security, communication plans; and'
  ➜ Title candidate: 'researching new technology; strengths, opportunities, weaknesses, and threats; ethics; risk mitigation; data security, communication plans; and'
  ❌ Invalid title line: 'researching new technology; strengths, opportunities, weaknesses, and threats; ethics; risk mitigation; data security, communication plans; and'
  ➜ Parsing at 6933: 'globalization.'

🔍 parse_program: starting at line 6933: 'globalization.'
  ➜ Title candidate: 'globalization.'
  ❌ Invalid title line: 'globalization.'
  ➜ Parsing at 6934: 'NHC1 - Introduction to Instructional Planning and Presentation - Students will develop a basic understanding of effective instructional principles'

🔍 parse_program: starting at line 6934: 'NHC1 - Introduction to Instructional Planning and Presentation - Students will develop a basic understanding of effective instructional principles'
  ➜ Title candidate: 'NHC1 - Introduction to Instructional Planning and Presentation - Students will develop a basic understanding of effective instructional principles'
  ❌ Invalid title line: 'NHC1 - Introduction to Instructional Planning and Presentation - Students will develop a basic understanding of effective instructional principles'
  ➜ Parsing at 6935: 'and how to differentiate instruction in order to elicit powerful teaching in the classroom.'

🔍 parse_program: starting at line 6935: 'and how to differentiate instruction in order to elicit powerful teaching in the classroom.'
  ➜ Title candidate: 'and how to differentiate instruction in order to elicit powerful teaching in the classroom.'
  ❌ Invalid title line: 'and how to differentiate instruction in order to elicit powerful teaching in the classroom.'
  ➜ Parsing at 6936: 'NMA1 - Professional Role of the ELL Teacher - The Professional Role of the ELL Teacher focuses on issues of professionalism for the English'

🔍 parse_program: starting at line 6936: 'NMA1 - Professional Role of the ELL Teacher - The Professional Role of the ELL Teacher focuses on issues of professionalism for the English'
  ➜ Title candidate: 'NMA1 - Professional Role of the ELL Teacher - The Professional Role of the ELL Teacher focuses on issues of professionalism for the English'
  ❌ Invalid title line: 'NMA1 - Professional Role of the ELL Teacher - The Professional Role of the ELL Teacher focuses on issues of professionalism for the English'
  ➜ Parsing at 6937: 'Language Learning teacher and leader. This includes program development, ethics, engagement in professional organizations, serving as a resource,'

🔍 parse_program: starting at line 6937: 'Language Learning teacher and leader. This includes program development, ethics, engagement in professional organizations, serving as a resource,'
  ➜ Title candidate: 'Language Learning teacher and leader. This includes program development, ethics, engagement in professional organizations, serving as a resource,'
  ❌ Invalid title line: 'Language Learning teacher and leader. This includes program development, ethics, engagement in professional organizations, serving as a resource,'
  ➜ Parsing at 6938: 'and ELL advocacy.'

🔍 parse_program: starting at line 6938: 'and ELL advocacy.'
  ➜ Title candidate: 'and ELL advocacy.'
  ❌ Invalid title line: 'and ELL advocacy.'
  ➜ Parsing at 6939: 'NNA1 - Planning, Implementing, Managing Instruction - Planning, Implementing, Managing Instruction focuses on a variety of philosophies and'

🔍 parse_program: starting at line 6939: 'NNA1 - Planning, Implementing, Managing Instruction - Planning, Implementing, Managing Instruction focuses on a variety of philosophies and'
  ➜ Title candidate: 'NNA1 - Planning, Implementing, Managing Instruction - Planning, Implementing, Managing Instruction focuses on a variety of philosophies and'
  ❌ Invalid title line: 'NNA1 - Planning, Implementing, Managing Instruction - Planning, Implementing, Managing Instruction focuses on a variety of philosophies and'
  ➜ Parsing at 6940: 'grade levels of English Language Learner (ELL) instruction. It includes the study of ELL listening and speaking, ELL reading and writing, specially'

🔍 parse_program: starting at line 6940: 'grade levels of English Language Learner (ELL) instruction. It includes the study of ELL listening and speaking, ELL reading and writing, specially'
  ➜ Title candidate: 'grade levels of English Language Learner (ELL) instruction. It includes the study of ELL listening and speaking, ELL reading and writing, specially'
  ❌ Invalid title line: 'grade levels of English Language Learner (ELL) instruction. It includes the study of ELL listening and speaking, ELL reading and writing, specially'
  ➜ Parsing at 6941: 'designed academic instruction in English (SDAIE), and specific issues for various grade level instruction.'

🔍 parse_program: starting at line 6941: 'designed academic instruction in English (SDAIE), and specific issues for various grade level instruction.'
  ➜ Title candidate: 'designed academic instruction in English (SDAIE), and specific issues for various grade level instruction.'
  ❌ Invalid title line: 'designed academic instruction in English (SDAIE), and specific issues for various grade level instruction.'
  ➜ Parsing at 6942: 'OOT2 - Mathematics History and Technology - Mathematics History and Technology introduces a variety of technological tools for doing'

🔍 parse_program: starting at line 6942: 'OOT2 - Mathematics History and Technology - Mathematics History and Technology introduces a variety of technological tools for doing'
  ➜ Title candidate: 'OOT2 - Mathematics History and Technology - Mathematics History and Technology introduces a variety of technological tools for doing'
  ❌ Invalid title line: 'OOT2 - Mathematics History and Technology - Mathematics History and Technology introduces a variety of technological tools for doing'
  ➜ Parsing at 6943: 'mathematics, and you will develop a broad understanding of the historical development of mathematics. You will come to understand that'

🔍 parse_program: starting at line 6943: 'mathematics, and you will develop a broad understanding of the historical development of mathematics. You will come to understand that'
  ➜ Title candidate: 'mathematics, and you will develop a broad understanding of the historical development of mathematics. You will come to understand that'
  ❌ Invalid title line: 'mathematics, and you will develop a broad understanding of the historical development of mathematics. You will come to understand that'
  ➜ Parsing at 6944: 'mathematics is a very human subject that comes from the macro-level sweep of cultural and societal change, as well as the micro-level actions of'

🔍 parse_program: starting at line 6944: 'mathematics is a very human subject that comes from the macro-level sweep of cultural and societal change, as well as the micro-level actions of'
  ➜ Title candidate: 'mathematics is a very human subject that comes from the macro-level sweep of cultural and societal change, as well as the micro-level actions of'
  ❌ Invalid title line: 'mathematics is a very human subject that comes from the macro-level sweep of cultural and societal change, as well as the micro-level actions of'
  ➜ Parsing at 6945: 'individuals with personal, professional, and philosophical motivations. Most importantly, you will learn to evaluate and apply technological tools and'

🔍 parse_program: starting at line 6945: 'individuals with personal, professional, and philosophical motivations. Most importantly, you will learn to evaluate and apply technological tools and'
  ➜ Title candidate: 'individuals with personal, professional, and philosophical motivations. Most importantly, you will learn to evaluate and apply technological tools and'
  ❌ Invalid title line: 'individuals with personal, professional, and philosophical motivations. Most importantly, you will learn to evaluate and apply technological tools and'
  ➜ Parsing at 6946: 'historical information to create an enriching student-centered mathematical learning environment. There are no prerequisites for this course.'

🔍 parse_program: starting at line 6946: 'historical information to create an enriching student-centered mathematical learning environment. There are no prerequisites for this course.'
  ➜ Title candidate: 'historical information to create an enriching student-centered mathematical learning environment. There are no prerequisites for this course.'
  ❌ Invalid title line: 'historical information to create an enriching student-centered mathematical learning environment. There are no prerequisites for this course.'
  ➜ Parsing at 6947: 'OPT2 - Mathematics Learning and Teaching - Mathematics Learning and Teaching will help you develop the knowledge and skills necessary to'

🔍 parse_program: starting at line 6947: 'OPT2 - Mathematics Learning and Teaching - Mathematics Learning and Teaching will help you develop the knowledge and skills necessary to'
  ➜ Title candidate: 'OPT2 - Mathematics Learning and Teaching - Mathematics Learning and Teaching will help you develop the knowledge and skills necessary to'
  ❌ Invalid title line: 'OPT2 - Mathematics Learning and Teaching - Mathematics Learning and Teaching will help you develop the knowledge and skills necessary to'
  ➜ Parsing at 6948: 'become a prospective and practicing educator. You will be able to use a variety of instructional strategies to effectively facilitate the learning of'

🔍 parse_program: starting at line 6948: 'become a prospective and practicing educator. You will be able to use a variety of instructional strategies to effectively facilitate the learning of'
  ➜ Title candidate: 'become a prospective and practicing educator. You will be able to use a variety of instructional strategies to effectively facilitate the learning of'
  ❌ Invalid title line: 'become a prospective and practicing educator. You will be able to use a variety of instructional strategies to effectively facilitate the learning of'
  ➜ Parsing at 6949: 'mathematics. This course focuses on selecting appropriate resources, using multiple strategies, and instructional planning, with methods based on'

🔍 parse_program: starting at line 6949: 'mathematics. This course focuses on selecting appropriate resources, using multiple strategies, and instructional planning, with methods based on'
  ➜ Title candidate: 'mathematics. This course focuses on selecting appropriate resources, using multiple strategies, and instructional planning, with methods based on'
  ❌ Invalid title line: 'mathematics. This course focuses on selecting appropriate resources, using multiple strategies, and instructional planning, with methods based on'
  ➜ Parsing at 6950: 'research and problem solving. A deep understanding of the knowledge, skills, and disposition of mathematics pedagogy is necessary to become an'

🔍 parse_program: starting at line 6950: 'research and problem solving. A deep understanding of the knowledge, skills, and disposition of mathematics pedagogy is necessary to become an'
  ➜ Title candidate: 'research and problem solving. A deep understanding of the knowledge, skills, and disposition of mathematics pedagogy is necessary to become an'
  ❌ Invalid title line: 'research and problem solving. A deep understanding of the knowledge, skills, and disposition of mathematics pedagogy is necessary to become an'
  ➜ Parsing at 6951: 'effective secondary mathematics educator. There are no prerequisites for this course.'

🔍 parse_program: starting at line 6951: 'effective secondary mathematics educator. There are no prerequisites for this course.'
  ➜ Title candidate: 'effective secondary mathematics educator. There are no prerequisites for this course.'
  ❌ Invalid title line: 'effective secondary mathematics educator. There are no prerequisites for this course.'
  ➜ Parsing at 6952: 'PFHM - Business - HR Management Portfolio Requirement - Students prepare a culminating professional portfolio to demonstrate the'

🔍 parse_program: starting at line 6952: 'PFHM - Business - HR Management Portfolio Requirement - Students prepare a culminating professional portfolio to demonstrate the'
  ➜ Title candidate: 'PFHM - Business - HR Management Portfolio Requirement - Students prepare a culminating professional portfolio to demonstrate the'
  ❌ Invalid title line: 'PFHM - Business - HR Management Portfolio Requirement - Students prepare a culminating professional portfolio to demonstrate the'
  ➜ Parsing at 6953: 'competencies they have learned throughout their program. The portfolio includes a strengths essay, a career report, a reflection essay, a résumé, and'

🔍 parse_program: starting at line 6953: 'competencies they have learned throughout their program. The portfolio includes a strengths essay, a career report, a reflection essay, a résumé, and'
  ➜ Title candidate: 'competencies they have learned throughout their program. The portfolio includes a strengths essay, a career report, a reflection essay, a résumé, and'
  ❌ Invalid title line: 'competencies they have learned throughout their program. The portfolio includes a strengths essay, a career report, a reflection essay, a résumé, and'
  ➜ Parsing at 6954: 'exhibits demonstrating personal strengths in the work place.'

🔍 parse_program: starting at line 6954: 'exhibits demonstrating personal strengths in the work place.'
  ➜ Title candidate: 'exhibits demonstrating personal strengths in the work place.'
  ❌ Invalid title line: 'exhibits demonstrating personal strengths in the work place.'
  ➜ Parsing at 6955: 'PFIT - Business - IT Management Portfolio Requirement - Business - IT Management Portfolio Requirement is designed to help the learner'

🔍 parse_program: starting at line 6955: 'PFIT - Business - IT Management Portfolio Requirement - Business - IT Management Portfolio Requirement is designed to help the learner'
  ➜ Title candidate: 'PFIT - Business - IT Management Portfolio Requirement - Business - IT Management Portfolio Requirement is designed to help the learner'
  ❌ Invalid title line: 'PFIT - Business - IT Management Portfolio Requirement - Business - IT Management Portfolio Requirement is designed to help the learner'
  ➜ Parsing at 6956: 'complete the culminating Undergraduate Business Portfolio assessment; it focuses on developing a business portfolio containing a strengths essay, a'

🔍 parse_program: starting at line 6956: 'complete the culminating Undergraduate Business Portfolio assessment; it focuses on developing a business portfolio containing a strengths essay, a'
  ➜ Title candidate: 'complete the culminating Undergraduate Business Portfolio assessment; it focuses on developing a business portfolio containing a strengths essay, a'
  ❌ Invalid title line: 'complete the culminating Undergraduate Business Portfolio assessment; it focuses on developing a business portfolio containing a strengths essay, a'
  ➜ Parsing at 6957: 'career report, a reflection essay, a resume, and exhibits that support one’s strengths in the work place.'

🔍 parse_program: starting at line 6957: 'career report, a reflection essay, a resume, and exhibits that support one’s strengths in the work place.'
  ➜ Title candidate: 'career report, a reflection essay, a resume, and exhibits that support one’s strengths in the work place.'
  ❌ Invalid title line: 'career report, a reflection essay, a resume, and exhibits that support one’s strengths in the work place.'
  ➜ Parsing at 6958: 'QDT1 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'

🔍 parse_program: starting at line 6958: 'QDT1 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'
  ➜ Title candidate: 'QDT1 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'
  ❌ Invalid title line: 'QDT1 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'
  ➜ Parsing at 6959: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'

🔍 parse_program: starting at line 6959: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'
  ➜ Title candidate: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'
  ❌ Invalid title line: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'
  ➜ Parsing at 6960: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'

🔍 parse_program: starting at line 6960: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'
  ➜ Title candidate: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'
  ❌ Invalid title line: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'
  ➜ Parsing at 6961: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'

🔍 parse_program: starting at line 6961: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'
  ➜ Title candidate: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'
  ❌ Invalid title line: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'
  ➜ Parsing at 6962: 'Algebra is a prerequisite for this course.'

🔍 parse_program: starting at line 6962: 'Algebra is a prerequisite for this course.'
  ➜ Title candidate: 'Algebra is a prerequisite for this course.'
  ❌ Invalid title line: 'Algebra is a prerequisite for this course.'
  ➜ Parsing at 6963: '© Western Governors University 7/19/17 174'

🔍 parse_program: starting at line 6963: '© Western Governors University 7/19/17 174'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'QDT2 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'
  ➜ Skipping stray line: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'
  ➜ Skipping stray line: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'
  ➜ Skipping stray line: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'
  ➜ Skipping stray line: 'Algebra is a prerequisite for this course.'
  ➜ Skipping stray line: 'QET1 - Business - HR Management Capstone Project - For the Business - HR Management Capstone Project students will integrate and'
  ➜ Skipping stray line: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ➜ Skipping stray line: 'professional field. A comprehensive business plan is developed for a company that offers HR products or services. The business plan includes a'
  ➜ Skipping stray line: 'market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ➜ Skipping stray line: 'QFT1 - Business - IT Management Capstone Project - The capstone requires students to demonstrate the integration and synthesis of'
  ➜ Skipping stray line: 'competencies in all domains required for the degree in Information Technology Management. The student produces a business plan for a start-up'
  ➜ Skipping stray line: 'company that is selected and approved by the student and mentor.'
  ➜ Skipping stray line: 'QGT1 - Business Management Capstone Written Project - For the Business Management Capstone Written Project students will integrate and'
  ➜ Skipping stray line: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ➜ Skipping stray line: 'professional field. A comprehensive business plan is developed for a company that plans to sell a product or service in a local market, national'
  ➜ Skipping stray line: 'market, or on the Internet. The business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to'
  ➜ Skipping stray line: 'the chosen company.'
  ➜ Skipping stray line: 'QHT1 - Business Management Tasks - Business Management Tasks addresses important concepts needed to effectively manage a'
  ➜ Skipping stray line: 'business. Topics include the cost-quality relationship, the use of various types of graphical charts in operations management, managing innovation,'
  ➜ Skipping stray line: 'and developing strategies for working with individuals and groups.'
  ➜ Skipping stray line: 'QIT1 - Business Marketing Management Capstone Written Project - For the Business Marketing Management Capstone Project students will'
  ➜ Skipping stray line: 'integrate and synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their'
  ➜ Skipping stray line: 'chosen professional field. A comprehensive business plan is developed for a company that provides some type of marketing product or service. The'
  ➜ Skipping stray line: 'business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ➜ Skipping stray line: 'QJT2 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to use'
  ➜ Skipping stray line: 'differential calculus of one variable and appropriate technology to solve basic problems. Topics include graphing functions and finding their domains'
  ➜ Skipping stray line: 'and ranges; limits, continuity, differentiability, visual, analytical, and conceptual approaches to the definition of the derivative; the power, chain, and'
  ➜ Skipping stray line: 'sum rules applied to polynomial and exponential functions, position and velocity; and L'Hopital's Rule. Candidates should have completed a course in'
  ➜ Skipping stray line: 'Pre-Calculus before engaging in this course.'
  ➜ Skipping stray line: 'QTT2 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ➜ Skipping stray line: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ➜ Skipping stray line: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ➜ Skipping stray line: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ➜ Skipping stray line: 'RKT1 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ➜ Skipping stray line: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ➜ Skipping stray line: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ➜ Skipping stray line: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ➜ Skipping stray line: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ➜ Skipping stray line: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'RKT2 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ➜ Skipping stray line: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ➜ Skipping stray line: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ➜ Skipping stray line: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ➜ Skipping stray line: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ➜ Skipping stray line: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'RNT1 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ➜ Skipping stray line: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ➜ Skipping stray line: 'RNT2 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ➜ Skipping stray line: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ➜ Skipping stray line: 'RXT2 - Precalculus and Calculus - Precalculus and Calculus provides instruction in precalculus and calculus and applies them to examples found in'
  ➜ Skipping stray line: 'both mathematics and science. Topics in precalculus include principles of trigonometry, mathematical modeling, and logarithmic, exponential,'
  ➜ Skipping stray line: 'polynomial, and rational functions. Topics in calculus include conceptual knowledge of limit, continuity, differentiability, and integration.'
  ➜ Skipping stray line: 'SJT2 - Advanced Networking Technology - This course prepares students to support the ever growing interconnectivity needs of organizations.'
  ➜ Skipping stray line: 'Students will learn about advanced networking concepts, devices and strategies to provide superior network connectivity to organizations. A review of'
  ➜ Skipping stray line: 'common yet critical network devices and technologies will be provided such as switches, routers, hubs, firewalls, T-1s, ATM, fiber and others.'
  ➜ Skipping stray line: 'Students will also be prepared to review existing network environments and provide specifications to upgrade and enhance such networks.'
  ➜ Skipping stray line: 'SLO1 - Theories of Second Language Acquisition and Grammar - Theories of Second Language Learning Acquisition and Grammar covers'
  ➜ Skipping stray line: 'content material in applied linguistics, including morphology, syntax, semantics, and grammar. Students will explore the role of dialect in the'
  ➜ Skipping stray line: 'classroom, the connections between language and culture, and the theories of first and second language acquisition.'
  ➜ Skipping stray line: 'TAT2 - Technology Production - Technology Production focuses on the foundations of media and technology, integrated technology development,'
  ➜ Skipping stray line: 'and the integration of technology into appropriate instructional uses of productivity, and applying different research applications in the learning'
  ➜ Skipping stray line: 'environment.'
  ➜ Skipping stray line: 'TDT1 - Technology Design Portfolio - Technology Design Portfolio focuses on gaining a broad overview of the field of technology integration with a'
  ➜ Skipping stray line: 'fundamental understanding of some key concepts and principles, and enhancing technology skills to enable the producing of exportable instructional'
  ➜ Skipping stray line: 'and professional products using various integrated application programs.'
  ➜ Skipping stray line: 'TET1 - Issues in Technology Integration - Issues in Technology Integration focuses on the legal and ethical practice of technology, some personal'
  ➜ Skipping stray line: 'uses of electronic resources, the need for protection of information, the foundations of media and technology, what electronic learning communities'
  ➜ Skipping stray line: 'are, and the adaptive technologies for special populations.'
  ➜ Skipping stray line: 'TFT2 - Cyberlaw, Regulations, and Compliance - Cyberlaw, Regulations and Compliance prepares students to participate in legal analysis of'
  ➜ Skipping stray line: 'relevant cyberlaws and address governance, standards, policies, and legislation. Students will conduct a security risk analysis for an enterprise'
  ➜ Skipping stray line: 'system. In addition, students will determine cyber requirements for third‐party vendor agreements. Students will also evaluate provisions of both the'
  ➜ Skipping stray line: '2001 and 2006 USA PATRIOT Acts.'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 175'
  ➜ Skipping stray line: 'TOC2 - Probability and Statistics I - Probability and Statistics I covers the knowledge and skills necessary to apply basic probability, descriptive'
  ➜ Skipping stray line: 'statistics, and statistical reasoning, and to use appropriate technology to model and solve real-life problems. It provides an introduction to the science'
  ➜ Skipping stray line: 'of collecting, processing, analyzing, and interpreting data. Topics include creating and interpreting numerical summaries and visual displays of data;'
  ➜ Skipping stray line: 'regression lines and correlation; evaluating sampling methods and their effect on possible conclusions; designing observational studies, controlled'
  ➜ Skipping stray line: 'experiments, and surveys; and determining probabilities using simulations, diagrams, and probability rules. College Algebra is a prerequisite for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'TQC1 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Skipping stray line: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Skipping stray line: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Skipping stray line: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Skipping stray line: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Skipping stray line: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Skipping stray line: 'TQC2 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Skipping stray line: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Skipping stray line: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Skipping stray line: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Skipping stray line: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Skipping stray line: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Skipping stray line: 'TSC2 - General Chemistry I - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Skipping stray line: 'solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic table and chemical'
  ➜ Skipping stray line: 'nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work focuses on using'
  ➜ Skipping stray line: 'effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TSP1 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Skipping stray line: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Skipping stray line: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TSP2 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Skipping stray line: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Skipping stray line: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TUC2 - General Chemistry II - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Skipping stray line: 'solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models, oxidation-reduction'
  ➜ Skipping stray line: 'reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on using effective'
  ➜ Skipping stray line: 'laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TUP1 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Skipping stray line: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Skipping stray line: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TUP2 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Skipping stray line: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Skipping stray line: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TVT2 - Governance, Finance, Law, and Leadership for Principals - This subdomain contains content in educational law, finance, and'
  ➜ Skipping stray line: 'administration as well as a case study review of your site’s leadership practices.'
  ➜ Skipping stray line: 'UFC1 - Managerial Accounting - This course focuses on identifying, gathering, and interpreting information that will be used for evaluating and'
  ➜ Skipping stray line: 'managing the performance of a business. Students will also study cost measurement for producing goods and services and how to analyze and'
  ➜ Skipping stray line: 'control these costs.'
  ➜ Skipping stray line: 'UQT1 - Organic Chemistry - This course focuses on the study of compounds that contain carbon, much of which is learning how to organize and'
  ➜ Skipping stray line: 'group these compounds based on common bonds found within them in order to predict their structure, behavior, and reactivity.'
  ➜ Skipping stray line: 'VLT2 - Security Policies and Standards - Best Practices - This course focuses on the practices of planning and implementing organization-wide'
  ➜ Skipping stray line: 'security and assurance initiatives as well as auditing assurance processes.'
  ➜ Skipping stray line: 'VYC1 - Principles of Accounting - Principles of Accounting focuses on ways in which accounting principles are used in business operations.'
  ➜ Skipping stray line: 'Students will learn about the basics of accounting, including how to use Generally Accepted Accounting Principles (GAAP), ledgers, and journals.'
  ➜ Skipping stray line: 'Students will also be introduced to the steps of the accounting cycle, concepts of assets and liabilities, and general information about accounting'
  ➜ Skipping stray line: 'information systems. This course also presents bank reconciliation methods, balance sheets, and business ethics.'
  ➜ Skipping stray line: 'VZT1 - Marketing Applications - Marketing Applications allows students to apply their knowledge of core marketing principles by creating a'
  ➜ Skipping stray line: 'comprehensive marketing plan. Their plan will apply their knowledge of the marketing planning process, market analysis, and the marketing mix'
  ➜ Skipping stray line: '(product, place, promotion, and price).'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 176'
  ➜ Skipping stray line: 'Course Mentor Directory'
  ➜ Skipping stray line: 'General Education'
  ➜ Skipping stray line: 'Adams, William; M.A., Savanah College of Art and Design'
  ➜ Skipping stray line: 'Aguirre, Jennifer; M.S., Walden University'
  ➜ Skipping stray line: 'Akens, Jonne; Ph. D., Texas A&M University'
  ➜ Skipping stray line: 'Alexander, Ledora; Ed.S., Walden University'
  ➜ Skipping stray line: 'Ashe, James; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Barnes, Lauri; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Baty, Amanda; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Benson, Bryan; Ph.D., Boston College'
  ➜ Skipping stray line: 'Bilbrey, Joshua; Ph.D., Texas State University'
  ➜ Skipping stray line: 'Borden, Anne; Ph.D., Emory University'
  ➜ Skipping stray line: 'Brewer, Craig: Ph.D., University of Notre Dame'
  ➜ Skipping stray line: 'Brown, Bonnie; Ph.D., Stephen F. Austin State University'
  ➜ Skipping stray line: 'Browning, Ellen; Ph.D., University of Texas, Arlington'
  ➜ Skipping stray line: 'Buchanan, Tenielle; Ed.D., Lipscomb University'
  ➜ Skipping stray line: 'Byrnes, Sean; Ph.D., Emory University'
  ➜ Skipping stray line: 'Carmona, Karla; M.S., Western Governors University'
  ➜ Skipping stray line: 'Castaneda, Gilivaldo; M.Ed., University of Texas at San Antonio'
  ➜ Skipping stray line: 'Chaves Ulloa, Ramsa; Ph.D., Dartmouth College'
  ➜ Skipping stray line: 'Chittick, Sharla; Ph.D., University of Stirling'
  ➜ Skipping stray line: 'Condit, Lorna; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Cowan, Christy; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Crawford, Nathan; Ph.D., University of Tennessee-Knoxville'
  ➜ Skipping stray line: 'Crooks, Kathleen; Ph.D., University of Akron'
  ➜ Skipping stray line: 'Cross, Cameron; M.S., Kaplan University'
  ➜ Skipping stray line: 'Cureton, Sara; M.A., Gonzaga Univeristy'
  ➜ Skipping stray line: 'Cutler, Ned; Ph.D., Duke University'
  ➜ Skipping stray line: 'Dodge, Joshua; M.A., University of Central Florida'
  ➜ Skipping stray line: 'Dorre, Gina; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Douglas, Katherine; M.A., University of California, San Diego'
  ➜ Skipping stray line: 'Duff, Kandi; Ed.D., Idaho State University'
  ➜ Skipping stray line: 'Dungar, Michael; MA, Boston College'
  ➜ Skipping stray line: 'Edmunds, Jeffrey; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Evans, Robin; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Evenson Newhouse, Ranae; Ph.D., Vanderbilt University'
  ➜ Skipping stray line: 'Faucett, Jessica; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Fehnel, Bradley; M.S., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Fellow, Jill; M.S., Brigham Young University'
  ➜ Skipping stray line: 'Franco, Heidi; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Frusciante, Denise; Ph.D., University of Miami'
  ➜ Skipping stray line: 'Galindez, Dahlia; MA, Western Governors University'
  ➜ Skipping stray line: 'Gangaram, Jitendra; Ph.D., North Central University'
  ➜ Skipping stray line: 'Garrett, Janette; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Goodwin, Rachel; Ph.D., University of Texas'
  ➜ Skipping stray line: 'Gordon, Kelley; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Gravitte, Kristen; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Gradzielewski, Andrew; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Halula, Stephen; Ph.D., Marquette University'
  ➜ Skipping stray line: 'Harris, Steven; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Hartwick, Andromeda; Ph.D., University of Michigan'
  ➜ Skipping stray line: 'Hayne, Victoria; Ph.D., University of California - Los Angeles'
  ➜ Skipping stray line: 'Hernandez, Ali; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Hillyer, Aaron; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Horne, Lisa; M.A., Brigham Young University'
  ➜ Skipping stray line: 'Hurley, Norman; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Jensen, Taylor; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Johnson, Stephanie; MBA, Lindenwood University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 177'
  ➜ Skipping stray line: 'Jones, Lee; Ph.D., Clark Atlanta University'
  ➜ Skipping stray line: 'Kelley, Matthew; Ph.D., University of Nevada-Las Vegas'
  ➜ Skipping stray line: 'Kelly, Lynn; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Knieps, Linda; Ph.D., Vanderbilt University'
  ➜ Skipping stray line: 'Knous, Helen; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Landry, Stan; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Latham, Kary; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Lauren, Jennifer; Ph.D., Duquesne University'
  ➜ Skipping stray line: 'Leep, Matthew; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Lettau, Lisa; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Little, David; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Lukin, Kara; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Main, Daniel; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Mammen, John; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Mantooth, Stacy; Ph. D., University of Nevada – Las Vegas'
  ➜ Skipping stray line: 'Martin, Jonathan; M.A., West Virginia University'
  ➜ Skipping stray line: 'Mays, Ashley; Ph.D., University of North Carolina at Chapel Hill'
  ➜ Skipping stray line: 'McCune, Timothy; Ph.D., Youngstown State University'
  ➜ Skipping stray line: 'McWatters, Mason; Ph.D., University of Texas at Austin'
  ➜ Skipping stray line: 'Metoki, Kiyoko; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Meyer, Nicholas; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Miller, Don; Ph.D., Morehouse School of Medicine'
  ➜ Skipping stray line: 'Miller, Kathleen; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Moody, Vivian; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Mosgrove, Sharon; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Moss, Meg; Ph.D., University of Tennessee-Knoxville'
  ➜ Skipping stray line: 'Mzoughi, Taha; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Nelson, Angela; Ph.D., Cornell University'
  ➜ Skipping stray line: 'Nicley, Erinn; M.S., Florida State University'
  ➜ Skipping stray line: 'Norton, Cindy; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Olson, Nels; Ph.D., Michigan State University'
  ➜ Skipping stray line: 'Oulette, David; Ph.D., Virginia Commonwealth University'
  ➜ Skipping stray line: 'Palmer, Michael; M.F.A., University of Utah'
  ➜ Skipping stray line: 'Pankowski, Peg; Ed.D., Duquesne University'
  ➜ Skipping stray line: 'Parrish, Anca; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Parton, Sabrena; Ph.D., University of Southern Mississippi'
  ➜ Skipping stray line: 'Parvin, Kathleen; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Peppers, Shelitha; Ed.D., Maryville University'
  ➜ Skipping stray line: 'Perkins, Heidi; M.S., Excelsior College'
  ➜ Skipping stray line: 'Phillips, Dedra; M.A., Colorado Technical University'
  ➜ Skipping stray line: 'Potter, Christine; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Quintela, Melissa; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Radosavljevic, Alexander; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Redden, Cameron; MAT, Baldwin Wallace University'
  ➜ Skipping stray line: 'Redkey, Elizabeth; Ph.D., University at Albany, State University of New York'
  ➜ Skipping stray line: 'Remington, Theodore; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Rhodes, Kristofer; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Robinson, Ami; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Robinson, Jeffery; Ph.D., Drew University'
  ➜ Skipping stray line: 'Rosenblatt, Heather; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Rossi, Cynthia; Ph.D., University of Maryland'
  ➜ Skipping stray line: 'Saddler, Derrick; Ph.D., University of South Florida'
  ➜ Skipping stray line: 'Sanchez, Melvin; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Scheg, Abigail; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Scheib, Douglas; Ph.D., University of Miami'
  ➜ Skipping stray line: 'Scotece, Shannon; Ph.D., State University of New York - Albany'
  ➜ Skipping stray line: 'Shahi, Kimberley; Ph.D., University of Texas at Arlington'
  ➜ Skipping stray line: 'Sharpe, Robert; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Shimotsu-Dariol, Stephanie; Ph.D., West Virginia University'
  ➜ Skipping stray line: 'Simeon, Patricia; Ed.D., Grambling State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 178'
  ➜ Skipping stray line: 'Simmons, Nathaniel; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Smith, Tommie; MBA, Middle Tennessee State University'
  ➜ Skipping stray line: 'Springfield, Derriell; Ed.D., East Tennessee State University'
  ➜ Skipping stray line: 'St Martin, Ashley; M.S., University of Vermont'
  ➜ Skipping stray line: 'Stambaugh, Nathaniel; Ph.D., Brandeis University'
  ➜ Skipping stray line: 'Starr, Neil; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Timmer, Kristin; Ph.D., University of Tennessee Health Science Center'
  ➜ Skipping stray line: 'Tolin Schultz, Alexandra; Ph.D., Stony Brook University'
  ➜ Skipping stray line: 'Tucker, Diana; Ph.D., Southern Illinois University Carbondale'
  ➜ Skipping stray line: 'Tweedy, Joanna; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Verber, Jason; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Vida, Anna; M.A., Arizona State University'
  ➜ Skipping stray line: 'Walker, Hope; M.A., The American University'
  ➜ Skipping stray line: 'Weaver, Matthew; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Webb, James; M.A., Pacific University'
  ➜ Skipping stray line: 'Wellinghoff, Lisa; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Westmoreland, Brandi; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Whitson-Whennen, Tonya; M.M., University of Utah'
  ➜ Skipping stray line: 'Woolridge, Mary; Ph.D., University of Central Florida'
  ➜ Skipping stray line: 'Young, Michael; Ph.D., University of Missouri at Saint Louis'
  ➜ Skipping stray line: 'Zasadny, Jill; Ph.D., Kansas University'
  ➜ Skipping stray line: 'Teachers College'
  ➜ Skipping stray line: 'Aafif, Amal; Ph.D., Drexel University'
  ➜ Skipping stray line: 'Affleck, Alisa; M.A., Western Governors University'
  ➜ Skipping stray line: 'Allen, Elizabeth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Aranda, Christina; M.A., University of Utah'
  ➜ Skipping stray line: 'Aufderhaar, Carolyn; Ed.D., University of Cincinnati'
  ➜ Skipping stray line: 'Baxter, Marissa; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Belchik-Moser, Sara; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Betts, Anastasia; Ph.D., Regent University'
  ➜ Skipping stray line: 'Blanks, Dorothy; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Boen, Laurie; Ph.D., University of Arkansas'
  ➜ Skipping stray line: 'Boyd-Bradwell, Natasha; Ph.D., Capella University'
  ➜ Skipping stray line: 'Branan, Daniel; Ph.D., University of Denver'
  ➜ Skipping stray line: 'Branch, Leah; Ed.D., Bethel University'
  ➜ Skipping stray line: 'Brogan, Lynn; Ed.D., Columbia University'
  ➜ Skipping stray line: 'Brooks, Marlaina; Ed.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Calero, Lisa; Ph.D., Capella University'
  ➜ Skipping stray line: 'Carey, Kimberly; Ph.D., Old Dominion University'
  ➜ Skipping stray line: 'Cartwright, Nancy; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'Cohen, Kimberley; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Constanza, Michele; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Covey, Nicole; Ed.D., University of Memphis'
  ➜ Skipping stray line: 'Douglas, Deanna; Ph.D., Wichita State University'
  ➜ Skipping stray line: 'Dove, Teresa; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Dukes, Debra; Ed.D., University of Georgia'
  ➜ Skipping stray line: 'Durakiewicz, Anna; M.S., University of Marie Curie'
  ➜ Skipping stray line: 'Eisenhour, Melanie; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Feng, Suiping; Ph.D., City University of New York'
  ➜ Skipping stray line: 'Fillpot, Elsie; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Flavin, Kathryn; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Flores, Alberto; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Francis, David; M.A., Western Governors University'
  ➜ Skipping stray line: 'Giddens, Evelyn; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gillman, Brenna; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Gray-Dowdy, Audra; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Hall, Robert; Ph.D., Capella University'
  ➜ Skipping stray line: 'Halverson, Colleen; Ph.D., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Harbin, Lesley; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 179'
  ➜ Skipping stray line: 'Hardin, Bridgette; Ed.D., Texas A&M University-Corpus Christi'
  ➜ Skipping stray line: 'Hedman, Shawn; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Henry, Joanna; M.E., Lamar University'
  ➜ Skipping stray line: 'Hernandez, Julie; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Hiebel, Adam; Ed.D., Ohio University'
  ➜ Skipping stray line: 'Hudon-Miller, Sarah; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Hughes, Amy; Ed.D., University of Montana'
  ➜ Skipping stray line: 'Hutson, Tommye; Ed.D., Baylor University'
  ➜ Skipping stray line: 'Igbinoba-Cummings, Monique; Ph.D., Lynn University'
  ➜ Skipping stray line: 'Izumi, Alisa; Ed.D., University of Massachusetts'
  ➜ Skipping stray line: 'Jacobs, Patricia; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Janitzki, Dean; M.A., University of Toledo'
  ➜ Skipping stray line: 'Johnson, Sherri; Ph.D., Capella University'
  ➜ Skipping stray line: 'Jovic, Marko; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Kain, Meri; Ed.D., University of Missouri'
  ➜ Skipping stray line: 'Kelly, Gretchen; Ed.D., Walden University'
  ➜ Skipping stray line: 'Leinbach, William; Ed.D., Oregon State University'
  ➜ Skipping stray line: 'Lindemann, Steven; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Linkenhoker, Dina; Ed.D., Liberty University'
  ➜ Skipping stray line: 'Lipscomb, Pauline; Ed.D., University of the Cumberlands'
  ➜ Skipping stray line: 'Luster, Sandricia; Ed.S., Argosy University'
  ➜ Skipping stray line: 'McCarver, Patricia; Ph.D., California Institute of Integral Studies'
  ➜ Skipping stray line: 'McDaniel, Maryann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'McGrath Hovland, Michelle; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Mendes, John; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Miller, Esther; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Mills, Ginger; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Moore, Tontaleya; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Morgan, Matthew; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Mour, Jennifer; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Murray, Mary; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Obianyo, Obiamaka; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Odom, M. Katherine; Ph.D., University of South Alabama'
  ➜ Skipping stray line: 'O’Malley, Maureen; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Pack, Mamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Parry, Kelly; Ph.D., University of North Texas'
  ➜ Skipping stray line: 'Purnell, Courtney; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Quinn, Lori; M.A.Ed., Prairie View A&M University'
  ➜ Skipping stray line: 'Rahsaz, Jacqueline; M.A., University of California San Diego'
  ➜ Skipping stray line: 'Randonis, Jennifer; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Rawson, Robert; Ph.D., University of Texas Southwestern'
  ➜ Skipping stray line: 'Richen, Damara; Ed.D., Fielding Graduate University'
  ➜ Skipping stray line: 'Robles, Veronica; Ed.D., Arizona State University'
  ➜ Skipping stray line: 'Rogers, Carmelle; Ph.D., Kansas State University'
  ➜ Skipping stray line: 'Russell-Fry, Nancy; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Scales, Rebecca; M.A., Western Governors University'
  ➜ Skipping stray line: 'Schmidt, Stan; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Sepetys, Peggy; Ed.D., University of Michigan'
  ➜ Skipping stray line: 'Shrader, Vincent; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Silver, Jennifer; Ph.D., New York University'
  ➜ Skipping stray line: 'Sims, Rachel; Ed.D., Walden University'
  ➜ Skipping stray line: 'Smith, Janeal; Ph.D., Walden University'
  ➜ Skipping stray line: 'Spencer, Kristin; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Story, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Swenson, Karl; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Thompson, Julie; Ph.D., University of Rochester'
  ➜ Skipping stray line: 'Traub-Metlay, Suzanne; Ph.D., University of Pittsburg'
  ➜ Skipping stray line: 'Tresnak, Robyn; Ph.D., Walden University'
  ➜ Skipping stray line: 'Turner, Carmen; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Vickers, Paul; Ed.D., Stephen F. Austin State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 180'
  ➜ Skipping stray line: 'Walter-Sullivan, Earnestyne; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'Weinstein, Gideon; Ph.D., Indiana University Bloomington'
  ➜ Skipping stray line: 'Whitmire, Jane; Ph.D., University of Montana'
  ➜ Skipping stray line: 'Willey-Rendon, Ruby; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Williams, Lacey; Ed.D., Union Institute and University'
  ➜ Skipping stray line: 'Wisnosky, Marc; Ph.D., University of Pittsburgh'
  ➜ Skipping stray line: 'Yanusheva, Lidiya; Ed.D., Walden University'
  ➜ Skipping stray line: 'Yatherajam, Gayatri; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Zartman, Krista; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Zimmerli, Mandy; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'College of Business'
  ➜ Skipping stray line: 'Abubakari, Nina; J.D., Wayne State University'
  ➜ Skipping stray line: 'Adler, Kathleen; Ph.D., Southern Methodist University'
  ➜ Skipping stray line: 'Alafita, Theresa; Ph.D., George Washington University'
  ➜ Skipping stray line: 'Arenz, Russell; Ph.D., Colorado Technical University'
  ➜ Skipping stray line: 'Argiento, Steven; J.D., Pace University'
  ➜ Skipping stray line: 'Austin, Judy; MBA, Western Governors University'
  ➜ Skipping stray line: 'Baragoshi, Behroz; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Barton, Robert; Ed.S., Utah State University'
  ➜ Skipping stray line: 'Black, Hilda; Ph.D., Louisiana Tech University'
  ➜ Skipping stray line: 'Borch, Casey; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Boysen-Rotelli, Sheila; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Brownstein, Steven; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Carson, Pook; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Cassell, Kenneth; MBA, San Jose State University'
  ➜ Skipping stray line: 'Cherry, Patricia; Ph.D., Capella University'
  ➜ Skipping stray line: 'Clarke, Jeffrey; Ph.D., University of California-Los Angeles'
  ➜ Skipping stray line: 'Connor, Martin; J.D., University of North Dakota'
  ➜ Skipping stray line: 'Davis, Lorretta; Ph.D., Capella University'
  ➜ Skipping stray line: 'Davis, Mary; Ed.D., Central Michigan University'
  ➜ Skipping stray line: 'Doctorman, Lindsey; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Doren, Andrew; D.M., University of Maryland'
  ➜ Skipping stray line: 'Dula, Kimberly; Ph.D., Mercer University'
  ➜ Skipping stray line: 'Duran, Anthony; DBA, Grand Canyon University'
  ➜ Skipping stray line: 'Ennis, Erica; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Etter, Edwin; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Feehery, George; DBA, Nova Southeastern University'
  ➜ Skipping stray line: 'Fisher, Paul; Ph.D., Oregon State University'
  ➜ Skipping stray line: 'Gallo, Merry; DBA, Argosy University'
  ➜ Skipping stray line: 'Garland, Jennifer; DBA, Keiser University'
  ➜ Skipping stray line: 'Geddes, Bruce; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gilyot, Bianca; MBA, Northcentral University'
  ➜ Skipping stray line: 'Giscombe, Hilbert; DBA, Argosy University'
  ➜ Skipping stray line: 'Gough, Gregory; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Green, Maurice; Ph.D., University at Albany – State University of New York'
  ➜ Skipping stray line: 'Gunn, Linda; Ph.D., Union Institute and University'
  ➜ Skipping stray line: 'Havins, Merwin; Ed.D., Northern Arizona University'
  ➜ Skipping stray line: 'Heinzman, Joseph; DM, Colorado Technical University'
  ➜ Skipping stray line: 'Hon, Charles; Ph.D., Capella University'
  ➜ Skipping stray line: 'Hudson, Brandi; J.D., Regent University'
  ➜ Skipping stray line: 'Iannucci, Brian; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Imboden, Paul; DBA., Northcentral University'
  ➜ Skipping stray line: 'Jividen, Jim; J.D., Ohio Northern University'
  ➜ Skipping stray line: 'Jones, Alan; MBA, Dartmouth College'
  ➜ Skipping stray line: 'Justice, Jeanne; DBA, Walden University'
  ➜ Skipping stray line: 'Kale, Mrinalini; Ph.D., Capella University'
  ➜ Skipping stray line: 'Kenny, Timothy; M.S., Regis University'
  ➜ Skipping stray line: 'Kowalski, Christine; Ed.D., National Louis University'
  ➜ Skipping stray line: 'Kushniroff, Melinda; Ed.D., Liberty University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 181'
  ➜ Skipping stray line: 'La Hay, Ann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Lagroue, Harold; Ph.D., Louisiana State University'
  ➜ Skipping stray line: 'Lamer, Maryann; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Langdon, Debra; MBA, Denver University'
  ➜ Skipping stray line: 'Lutter-Cooper, Victoria; Ph.D., Capella University'
  ➜ Skipping stray line: 'Marshall, Mario; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'McClesky, Jamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'McNulty, Peggy; Ph.D., University of Colorado-Colorado Springs'
  ➜ Skipping stray line: 'Melton, Rebecca; Ph.D., Chicago School of Professional Psychology'
  ➜ Skipping stray line: 'Mills, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Moore, Detria; J.D., Liberty University'
  ➜ Skipping stray line: 'Neely, Cecil; MBA, University of North Carolina at Greensboro'
  ➜ Skipping stray line: 'Nelms, Linda; Ph.D., Capella University'
  ➜ Skipping stray line: 'Nelson, Camille; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'O’Brien, Joseph; Ed.D., George Washington University'
  ➜ Skipping stray line: 'Openshaw, Matthew; Ph.D., University of Texas at Dallas'
  ➜ Skipping stray line: 'Parish, Beth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Patterson, Julie; Ph.D., University of Illinois at Urbana-Champaign'
  ➜ Skipping stray line: 'Pawarski, Richard; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Phillips, Patti; J.D., Stetson University'
  ➜ Skipping stray line: 'Pratt, Christopher; DHA, University of Phoenix'
  ➜ Skipping stray line: 'Raimo, Steve; DSL, Regent University'
  ➜ Skipping stray line: 'Richardson, Shay; DBA, Walden University'
  ➜ Skipping stray line: 'Roberts, Tracia; M.S., University of Phoenix'
  ➜ Skipping stray line: 'Roberts, Wade; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Rogers, Katie; MBA, University of Utah'
  ➜ Skipping stray line: 'Sawant, Gauri; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Shah, Rob; MBA, DeVry University'
  ➜ Skipping stray line: 'Shepherd, Tracie; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Skinner, Susan; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Snipes, Dawna; J.D., Western Michigan University'
  ➜ Skipping stray line: 'Souder, Michele; MBA, University of Dayton'
  ➜ Skipping stray line: 'Spicer, Ronald; Ph.D., Capella University'
  ➜ Skipping stray line: 'Stewart, Michelle; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Strickland, Cynthia; Ph.D., Touro University International'
  ➜ Skipping stray line: 'Swarthout, Nanette; MBA, Fontbonne University'
  ➜ Skipping stray line: 'Tapp, Timothy; MHA, Washington University'
  ➜ Skipping stray line: 'Thomas, Melanie; J.D., University of North Carolina'
  ➜ Skipping stray line: 'Venkateswar, Sankaran; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Wachter, Eddie; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Wade, Keith; MBA, University of Detroit'
  ➜ Skipping stray line: 'Walker, Natalie; DBA, Keiser University'
  ➜ Skipping stray line: 'Wang, Xiaofei; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Williams, Pegeen; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Williams, Rian; MPA, University of Utah'
  ➜ Skipping stray line: 'Wood, Carrie; M.S., Strayer University'
  ➜ Skipping stray line: 'College of Information Technology'
  ➜ Skipping stray line: 'Al-Husaam, Abdul; Ph.D., Capella University'
  ➜ Skipping stray line: 'Alberici, Mary; Ph.D., University of Missouri-St. Louis'
  ➜ Skipping stray line: 'Allen, Candice; M.A., Capella University'
  ➜ Skipping stray line: 'Antonucci, Amy; M.S., University of Delaware'
  ➜ Skipping stray line: 'Banerjee, Pubali; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'Beverley, Charles; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Blanson, Constance; Ph.D., Capella University'
  ➜ Skipping stray line: 'Bojonny, John; M.S., Marywood University'
  ➜ Skipping stray line: 'Borsum, Pamela; MBA, Western Governors University'
  ➜ Skipping stray line: 'Campbell, Wendy; DBA, Northcentral University'
  ➜ Skipping stray line: 'Carter, Betty; M.S., Troy University'
  ➜ Skipping stray line: 'Cobbs, Dana; M.S., College of William and Mary'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 182'
  ➜ Skipping stray line: 'Cook, Henry; M.S., Clark Atlanta University'
  ➜ Skipping stray line: 'Crawford, Demetria; M.S., Boston University'
  ➜ Skipping stray line: 'Dupree, Yolanda; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Farmer, Jaynee; M.A., University of Arkansas at Little Rock'
  ➜ Skipping stray line: 'Ferdinand, Jeff; M.S., Trident University International'
  ➜ Skipping stray line: 'Gardner, Diana; MBA, Western Governors University'
  ➜ Skipping stray line: 'Garza, Brian; M.S., Western Governors University'
  ➜ Skipping stray line: 'Goodwin, Orenthio; Ph.D., Capella University'
  ➜ Skipping stray line: 'Heiner, Jenny; M.S., Capitol College'
  ➜ Skipping stray line: 'Huff, David; Ph.D., Wayne State University'
  ➜ Skipping stray line: 'Jensen, Bryan; M.S., Bellvue University'
  ➜ Skipping stray line: 'Kercher, Paul; M.S., Missouri University of Science and Technology'
  ➜ Skipping stray line: 'LaMolinare, Deana; M.S., Duquesne University'
  ➜ Skipping stray line: 'Lang, Cythia; MSCHe, University of Maryland'
  ➜ Skipping stray line: 'Lavieri, Edward; DCS, Colorado Technical University'
  ➜ Skipping stray line: 'Light, Gerri; M.S., Walden University'
  ➜ Skipping stray line: 'Lively, Charles; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'McFarlane, Michele; M.S., DeVry University'
  ➜ Skipping stray line: 'McLaughlin, Mike; M.S., University of Maine'
  ➜ Skipping stray line: 'Mendell, Ronald; M.S., Capitol College'
  ➜ Skipping stray line: 'Milham, Thomas; MNCM, DeVry University'
  ➜ Skipping stray line: 'Moore, Ronald; M.A., Troy University'
  ➜ Skipping stray line: 'Morrill, Ralph; Ph.D., North Central University'
  ➜ Skipping stray line: 'Ntinglet-Davis, Emelda; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Ozmer, Connie; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Paddock, Charles; Ph.D., University of Houston'
  ➜ Skipping stray line: 'Peterson, Michael; Ph.D., Capella University'
  ➜ Skipping stray line: 'Pinaire, Ken; MBA, University of Texas at Dallas'
  ➜ Skipping stray line: 'Rawlinson, David; J.D., South Texas College of Law'
  ➜ Skipping stray line: 'Schaefer, Brett; MBA, DeVry University'
  ➜ Skipping stray line: 'Shenk, Maria; M.S., City University of Seattle'
  ➜ Skipping stray line: 'Scutro, Rebecca; M.S., Saint Joseph’s University'
  ➜ Skipping stray line: 'Sewell, William; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Sher-DeCusatis, Carolyn; M.A., State University of New York at Stony Brook'
  ➜ Skipping stray line: 'Shields, Jessica; MFA, Savannah College of Art and Design'
  ➜ Skipping stray line: 'Sistelos, Antonio; Ph.D., Indiana State University'
  ➜ Skipping stray line: 'Stromberg, Scott; M.S., Nova Southeastern University'
  ➜ Skipping stray line: 'Swanson, Tom; Ph.D., Capella University'
  ➜ Skipping stray line: 'Taylor, Julinda; M.S., Wichita State University'
  ➜ Skipping stray line: 'Travis, Susan; M.A., University of Phoenix'
  ➜ Skipping stray line: 'College of Health Professions'
  ➜ Skipping stray line: 'Abdur-Rahman, Veronica; Ph.D., Texas Woman’s University'
  ➜ Skipping stray line: 'Abee, Debra; M.S., University of North Carolina Greensboro'
  ➜ Skipping stray line: 'Abraham, Gail; MSN/ED, University of Phoenix'
  ➜ Skipping stray line: 'Adams, Lora; M.S., Michigan State University'
  ➜ Skipping stray line: 'Adkins, Dee; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Allen, Juanita; DNP, University of Utah'
  ➜ Skipping stray line: 'Ashby, Shelley; DNP, University of Southern Indiana'
  ➜ Skipping stray line: 'Austgen, Donna; M.S., University of Indianapolis'
  ➜ Skipping stray line: 'Barber, Kendar; M.S., Indiana University'
  ➜ Skipping stray line: 'Battle, Linda; DNP, Regis College'
  ➜ Skipping stray line: 'Benoit, Heidi; M.S., Western Governors University'
  ➜ Skipping stray line: 'Benson, Johnett; DNP, Kent State University'
  ➜ Skipping stray line: 'Bergfeld, Marcia; M.S., Lourdes College'
  ➜ Skipping stray line: 'Berndt, Janeen; DNP, Valparaiso University'
  ➜ Skipping stray line: 'Blaine, Stephanie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Cain, Lyn; Ph.D., Grand Canyon University'
  ➜ Skipping stray line: 'Carney, Mary; DNP, Touro University – Nevada'
  ➜ Skipping stray line: 'Chau-Nguyen, Thao; MPH, Tulane University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 183'
  ➜ Skipping stray line: 'Cleveland, Melissa; DNP, Rocky Mountain University'
  ➜ Skipping stray line: 'Cloonan, Kelly; DNP, Case Western Reserve'
  ➜ Skipping stray line: 'Dahdal, Kimberly; M.S., Western Governors University'
  ➜ Skipping stray line: 'Dantzler, Barbara; Ph.D., Trident University'
  ➜ Skipping stray line: 'Diaz, Constance; Ph.D., University of Northern Colorado'
  ➜ Skipping stray line: 'Diaz, Lorna; DNP, Western University of Health Sciences'
  ➜ Skipping stray line: 'Dorin, Michelle; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Dush, Curtis; M.S., East Tennessee State University'
  ➜ Skipping stray line: 'Elmer, Justine; M.S., Kaplan University'
  ➜ Skipping stray line: 'Englert, Mary; DNP, University of North Florida'
  ➜ Skipping stray line: 'Feather, Rebecca; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Frankie, Sandra; M.S., Western Governors University'
  ➜ Skipping stray line: 'Gabel, Ann; M.S., University of Kansas'
  ➜ Skipping stray line: 'Gayol, Marcos; M.S., Aspen University'
  ➜ Skipping stray line: 'Giaquinto, Elisa; M.A., Brown University'
  ➜ Skipping stray line: 'Gogatz, Debra; DNP, Regis University'
  ➜ Skipping stray line: 'Golden, Christina; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Gottesfeld, Ilene; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Gwyn, Elizabeth; M.S., Winston Salem State University'
  ➜ Skipping stray line: 'Hadsell, Christine; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Hansen, Julie; Ph.D., South Dakota State University'
  ➜ Skipping stray line: 'Hartley-Clanton, Patricia; M.S., University of Utah'
  ➜ Skipping stray line: 'Hawkins, Shannon; M.S., Walden University'
  ➜ Skipping stray line: 'Heyer-Schmidt, Theres-Anne; ND, University of Colorado-Denver'
  ➜ Skipping stray line: 'Hill, Dana; Ph.D., Walden University'
  ➜ Skipping stray line: 'Hunt, Eleanor; M.S., Duke University'
  ➜ Skipping stray line: 'Johnson-Anderson, Heidi; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Kangas, Sandra; Ph.D., Georgia State University'
  ➜ Skipping stray line: 'Kogan, Lisa; M.S., Western Governors University'
  ➜ Skipping stray line: 'Langer Atkinson, Heidi; Ph.D., University of Albany'
  ➜ Skipping stray line: 'Lashlee, Marilyn; DNP, Northeastern University'
  ➜ Skipping stray line: 'Long, Jennifer; M.S., Indiana University'
  ➜ Skipping stray line: 'Marshall, Janet; Ph.D., Rush University'
  ➜ Title candidate: 'Masterson, Debra; Ed.D., Liberty University'
  ✔️ Collected description (40 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 6964: 'QDT2 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'

🔍 parse_program: starting at line 6964: 'QDT2 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'
  ➜ Title candidate: 'QDT2 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'
  ❌ Invalid title line: 'QDT2 - Abstract Algebra - Abstract Algebra is the axiomatic and rigorous study of the underlying structure of algebra and arithmetic. It covers the'
  ➜ Parsing at 6965: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'

🔍 parse_program: starting at line 6965: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'
  ➜ Title candidate: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'
  ❌ Invalid title line: 'knowledge and skills necessary to understand, apply, and prove theorems about numbers, groups, rings, and fields. Topics include the well-ordering'
  ➜ Parsing at 6966: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'

🔍 parse_program: starting at line 6966: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'
  ➜ Title candidate: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'
  ❌ Invalid title line: 'principle, equivalence classes, the division algorithm, Euclid's algorithm, prime factorization, greatest common divisor, least common multiple,'
  ➜ Parsing at 6967: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'

🔍 parse_program: starting at line 6967: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'
  ➜ Title candidate: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'
  ❌ Invalid title line: 'congruence, the Chinese remainder theorem, modular arithmetic, rings, integral domains, fields, groups, roots of unity, and homomorphisms. Linear'
  ➜ Parsing at 6968: 'Algebra is a prerequisite for this course.'

🔍 parse_program: starting at line 6968: 'Algebra is a prerequisite for this course.'
  ➜ Title candidate: 'Algebra is a prerequisite for this course.'
  ❌ Invalid title line: 'Algebra is a prerequisite for this course.'
  ➜ Parsing at 6969: 'QET1 - Business - HR Management Capstone Project - For the Business - HR Management Capstone Project students will integrate and'

🔍 parse_program: starting at line 6969: 'QET1 - Business - HR Management Capstone Project - For the Business - HR Management Capstone Project students will integrate and'
  ➜ Title candidate: 'QET1 - Business - HR Management Capstone Project - For the Business - HR Management Capstone Project students will integrate and'
  ❌ Invalid title line: 'QET1 - Business - HR Management Capstone Project - For the Business - HR Management Capstone Project students will integrate and'
  ➜ Parsing at 6970: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'

🔍 parse_program: starting at line 6970: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ➜ Title candidate: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ❌ Invalid title line: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ➜ Parsing at 6971: 'professional field. A comprehensive business plan is developed for a company that offers HR products or services. The business plan includes a'

🔍 parse_program: starting at line 6971: 'professional field. A comprehensive business plan is developed for a company that offers HR products or services. The business plan includes a'
  ➜ Title candidate: 'professional field. A comprehensive business plan is developed for a company that offers HR products or services. The business plan includes a'
  ❌ Invalid title line: 'professional field. A comprehensive business plan is developed for a company that offers HR products or services. The business plan includes a'
  ➜ Parsing at 6972: 'market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'

🔍 parse_program: starting at line 6972: 'market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ➜ Title candidate: 'market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ❌ Invalid title line: 'market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ➜ Parsing at 6973: 'QFT1 - Business - IT Management Capstone Project - The capstone requires students to demonstrate the integration and synthesis of'

🔍 parse_program: starting at line 6973: 'QFT1 - Business - IT Management Capstone Project - The capstone requires students to demonstrate the integration and synthesis of'
  ➜ Title candidate: 'QFT1 - Business - IT Management Capstone Project - The capstone requires students to demonstrate the integration and synthesis of'
  ❌ Invalid title line: 'QFT1 - Business - IT Management Capstone Project - The capstone requires students to demonstrate the integration and synthesis of'
  ➜ Parsing at 6974: 'competencies in all domains required for the degree in Information Technology Management. The student produces a business plan for a start-up'

🔍 parse_program: starting at line 6974: 'competencies in all domains required for the degree in Information Technology Management. The student produces a business plan for a start-up'
  ➜ Title candidate: 'competencies in all domains required for the degree in Information Technology Management. The student produces a business plan for a start-up'
  ❌ Invalid title line: 'competencies in all domains required for the degree in Information Technology Management. The student produces a business plan for a start-up'
  ➜ Parsing at 6975: 'company that is selected and approved by the student and mentor.'

🔍 parse_program: starting at line 6975: 'company that is selected and approved by the student and mentor.'
  ➜ Title candidate: 'company that is selected and approved by the student and mentor.'
  ❌ Invalid title line: 'company that is selected and approved by the student and mentor.'
  ➜ Parsing at 6976: 'QGT1 - Business Management Capstone Written Project - For the Business Management Capstone Written Project students will integrate and'

🔍 parse_program: starting at line 6976: 'QGT1 - Business Management Capstone Written Project - For the Business Management Capstone Written Project students will integrate and'
  ➜ Title candidate: 'QGT1 - Business Management Capstone Written Project - For the Business Management Capstone Written Project students will integrate and'
  ❌ Invalid title line: 'QGT1 - Business Management Capstone Written Project - For the Business Management Capstone Written Project students will integrate and'
  ➜ Parsing at 6977: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'

🔍 parse_program: starting at line 6977: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ➜ Title candidate: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ❌ Invalid title line: 'synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their chosen'
  ➜ Parsing at 6978: 'professional field. A comprehensive business plan is developed for a company that plans to sell a product or service in a local market, national'

🔍 parse_program: starting at line 6978: 'professional field. A comprehensive business plan is developed for a company that plans to sell a product or service in a local market, national'
  ➜ Title candidate: 'professional field. A comprehensive business plan is developed for a company that plans to sell a product or service in a local market, national'
  ❌ Invalid title line: 'professional field. A comprehensive business plan is developed for a company that plans to sell a product or service in a local market, national'
  ➜ Parsing at 6979: 'market, or on the Internet. The business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to'

🔍 parse_program: starting at line 6979: 'market, or on the Internet. The business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to'
  ➜ Title candidate: 'market, or on the Internet. The business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to'
  ❌ Invalid title line: 'market, or on the Internet. The business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to'
  ➜ Parsing at 6980: 'the chosen company.'

🔍 parse_program: starting at line 6980: 'the chosen company.'
  ➜ Title candidate: 'the chosen company.'
  ❌ Invalid title line: 'the chosen company.'
  ➜ Parsing at 6981: 'QHT1 - Business Management Tasks - Business Management Tasks addresses important concepts needed to effectively manage a'

🔍 parse_program: starting at line 6981: 'QHT1 - Business Management Tasks - Business Management Tasks addresses important concepts needed to effectively manage a'
  ➜ Title candidate: 'QHT1 - Business Management Tasks - Business Management Tasks addresses important concepts needed to effectively manage a'
  ❌ Invalid title line: 'QHT1 - Business Management Tasks - Business Management Tasks addresses important concepts needed to effectively manage a'
  ➜ Parsing at 6982: 'business. Topics include the cost-quality relationship, the use of various types of graphical charts in operations management, managing innovation,'

🔍 parse_program: starting at line 6982: 'business. Topics include the cost-quality relationship, the use of various types of graphical charts in operations management, managing innovation,'
  ➜ Title candidate: 'business. Topics include the cost-quality relationship, the use of various types of graphical charts in operations management, managing innovation,'
  ❌ Invalid title line: 'business. Topics include the cost-quality relationship, the use of various types of graphical charts in operations management, managing innovation,'
  ➜ Parsing at 6983: 'and developing strategies for working with individuals and groups.'

🔍 parse_program: starting at line 6983: 'and developing strategies for working with individuals and groups.'
  ➜ Title candidate: 'and developing strategies for working with individuals and groups.'
  ❌ Invalid title line: 'and developing strategies for working with individuals and groups.'
  ➜ Parsing at 6984: 'QIT1 - Business Marketing Management Capstone Written Project - For the Business Marketing Management Capstone Project students will'

🔍 parse_program: starting at line 6984: 'QIT1 - Business Marketing Management Capstone Written Project - For the Business Marketing Management Capstone Project students will'
  ➜ Title candidate: 'QIT1 - Business Marketing Management Capstone Written Project - For the Business Marketing Management Capstone Project students will'
  ❌ Invalid title line: 'QIT1 - Business Marketing Management Capstone Written Project - For the Business Marketing Management Capstone Project students will'
  ➜ Parsing at 6985: 'integrate and synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their'

🔍 parse_program: starting at line 6985: 'integrate and synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their'
  ➜ Title candidate: 'integrate and synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their'
  ❌ Invalid title line: 'integrate and synthesize competencies from across their degree program to demonstrate their ability to participate in and contribute value to their'
  ➜ Parsing at 6986: 'chosen professional field. A comprehensive business plan is developed for a company that provides some type of marketing product or service. The'

🔍 parse_program: starting at line 6986: 'chosen professional field. A comprehensive business plan is developed for a company that provides some type of marketing product or service. The'
  ➜ Title candidate: 'chosen professional field. A comprehensive business plan is developed for a company that provides some type of marketing product or service. The'
  ❌ Invalid title line: 'chosen professional field. A comprehensive business plan is developed for a company that provides some type of marketing product or service. The'
  ➜ Parsing at 6987: 'business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'

🔍 parse_program: starting at line 6987: 'business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ➜ Title candidate: 'business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ❌ Invalid title line: 'business plan includes a market analysis, financial statements and analysis, and specific strategic actions relevant to the chosen company.'
  ➜ Parsing at 6988: 'QJT2 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to use'

🔍 parse_program: starting at line 6988: 'QJT2 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to use'
  ➜ Title candidate: 'QJT2 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to use'
  ❌ Invalid title line: 'QJT2 - Calculus I - Calculus I is the study of rates of change in relation to the slope of a curve and covers the knowledge and skills necessary to use'
  ➜ Parsing at 6989: 'differential calculus of one variable and appropriate technology to solve basic problems. Topics include graphing functions and finding their domains'

🔍 parse_program: starting at line 6989: 'differential calculus of one variable and appropriate technology to solve basic problems. Topics include graphing functions and finding their domains'
  ➜ Title candidate: 'differential calculus of one variable and appropriate technology to solve basic problems. Topics include graphing functions and finding their domains'
  ❌ Invalid title line: 'differential calculus of one variable and appropriate technology to solve basic problems. Topics include graphing functions and finding their domains'
  ➜ Parsing at 6990: 'and ranges; limits, continuity, differentiability, visual, analytical, and conceptual approaches to the definition of the derivative; the power, chain, and'

🔍 parse_program: starting at line 6990: 'and ranges; limits, continuity, differentiability, visual, analytical, and conceptual approaches to the definition of the derivative; the power, chain, and'
  ➜ Title candidate: 'and ranges; limits, continuity, differentiability, visual, analytical, and conceptual approaches to the definition of the derivative; the power, chain, and'
  ❌ Invalid title line: 'and ranges; limits, continuity, differentiability, visual, analytical, and conceptual approaches to the definition of the derivative; the power, chain, and'
  ➜ Parsing at 6991: 'sum rules applied to polynomial and exponential functions, position and velocity; and L'Hopital's Rule. Candidates should have completed a course in'

🔍 parse_program: starting at line 6991: 'sum rules applied to polynomial and exponential functions, position and velocity; and L'Hopital's Rule. Candidates should have completed a course in'
  ➜ Title candidate: 'sum rules applied to polynomial and exponential functions, position and velocity; and L'Hopital's Rule. Candidates should have completed a course in'
  ❌ Invalid title line: 'sum rules applied to polynomial and exponential functions, position and velocity; and L'Hopital's Rule. Candidates should have completed a course in'
  ➜ Parsing at 6992: 'Pre-Calculus before engaging in this course.'

🔍 parse_program: starting at line 6992: 'Pre-Calculus before engaging in this course.'
  ➜ Title candidate: 'Pre-Calculus before engaging in this course.'
  ❌ Invalid title line: 'Pre-Calculus before engaging in this course.'
  ➜ Parsing at 6993: 'QTT2 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'

🔍 parse_program: starting at line 6993: 'QTT2 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ➜ Title candidate: 'QTT2 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ❌ Invalid title line: 'QTT2 - Finite Mathematics - Finite Mathematics covers the knowledge and skills necessary to apply discrete mathematics and properties of number'
  ➜ Parsing at 6994: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'

🔍 parse_program: starting at line 6994: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ➜ Title candidate: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ❌ Invalid title line: 'systems to model and solve real-life problems. Topics include sets and operations; prime and composite numbers; GCD and LCM; order of'
  ➜ Parsing at 6995: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'

🔍 parse_program: starting at line 6995: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ➜ Title candidate: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ❌ Invalid title line: 'operations; ordering numbers; mathematical systems including modular arithmetic, arithmetic and geometric sequences, ratio and proportion, subsets'
  ➜ Parsing at 6996: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'

🔍 parse_program: starting at line 6996: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ➜ Title candidate: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ❌ Invalid title line: 'of real numbers, logic and truth tables, graphs, trees and networks, and permutation and combination. There are no prerequisites for this course.'
  ➜ Parsing at 6997: 'RKT1 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'

🔍 parse_program: starting at line 6997: 'RKT1 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ➜ Title candidate: 'RKT1 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ❌ Invalid title line: 'RKT1 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ➜ Parsing at 6998: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'

🔍 parse_program: starting at line 6998: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ➜ Title candidate: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ❌ Invalid title line: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ➜ Parsing at 6999: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'

🔍 parse_program: starting at line 6999: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ➜ Title candidate: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ❌ Invalid title line: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ➜ Parsing at 7000: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'

🔍 parse_program: starting at line 7000: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ➜ Title candidate: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ❌ Invalid title line: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ➜ Parsing at 7001: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'

🔍 parse_program: starting at line 7001: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ➜ Title candidate: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ❌ Invalid title line: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ➜ Parsing at 7002: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'

🔍 parse_program: starting at line 7002: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ➜ Title candidate: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ❌ Invalid title line: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ➜ Parsing at 7003: 'course.'

🔍 parse_program: starting at line 7003: 'course.'
  ➜ Title candidate: 'course.'
  ❌ Invalid title line: 'course.'
  ➜ Parsing at 7004: 'RKT2 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'

🔍 parse_program: starting at line 7004: 'RKT2 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ➜ Title candidate: 'RKT2 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ❌ Invalid title line: 'RKT2 - Linear Algebra - Linear Algebra is the study of the algebra of curve-free functions extended into three-or-higher-dimensional space. It covers'
  ➜ Parsing at 7005: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'

🔍 parse_program: starting at line 7005: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ➜ Title candidate: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ❌ Invalid title line: 'the knowledge and skills necessary to apply vectors, matrices, matrix theorems, and linear transformations and to use appropriate technology to'
  ➜ Parsing at 7006: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'

🔍 parse_program: starting at line 7006: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ➜ Title candidate: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ❌ Invalid title line: 'model and solve real-life problems. It also covers properties of and proofs about vector spaces. Topics include linear equations and their matrix-vector'
  ➜ Parsing at 7007: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'

🔍 parse_program: starting at line 7007: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ➜ Title candidate: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ❌ Invalid title line: 'representation Ax=b, row reduction, linear transformations and their matrix representations (shear, dilation, rotation, reflection), matrix operations,'
  ➜ Parsing at 7008: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'

🔍 parse_program: starting at line 7008: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ➜ Title candidate: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ❌ Invalid title line: 'matrix inverses and invertible matrix characterizations, computing determinants, relating determinants to area and volume, and axiomatic and intuitive'
  ➜ Parsing at 7009: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'

🔍 parse_program: starting at line 7009: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ➜ Title candidate: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ❌ Invalid title line: 'definitions of vector spaces and subspaces and how to prove theorems about them. College Geometry and Calculus III are prerequisites for this'
  ➜ Parsing at 7010: 'course.'

🔍 parse_program: starting at line 7010: 'course.'
  ➜ Title candidate: 'course.'
  ❌ Invalid title line: 'course.'
  ➜ Parsing at 7011: 'RNT1 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'

🔍 parse_program: starting at line 7011: 'RNT1 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ➜ Title candidate: 'RNT1 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ❌ Invalid title line: 'RNT1 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ➜ Parsing at 7012: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'

🔍 parse_program: starting at line 7012: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ➜ Title candidate: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ❌ Invalid title line: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ➜ Parsing at 7013: 'RNT2 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'

🔍 parse_program: starting at line 7013: 'RNT2 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ➜ Title candidate: 'RNT2 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ❌ Invalid title line: 'RNT2 - General Physics - This course provides a broad overview of the principles of mechanics, thermodynamics, wave motion, modern physics,'
  ➜ Parsing at 7014: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'

🔍 parse_program: starting at line 7014: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ➜ Title candidate: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ❌ Invalid title line: 'and electricity and magnetism and invites students to apply them by solving problems, performing labs, and reflecting on concepts and ideas.'
  ➜ Parsing at 7015: 'RXT2 - Precalculus and Calculus - Precalculus and Calculus provides instruction in precalculus and calculus and applies them to examples found in'

🔍 parse_program: starting at line 7015: 'RXT2 - Precalculus and Calculus - Precalculus and Calculus provides instruction in precalculus and calculus and applies them to examples found in'
  ➜ Title candidate: 'RXT2 - Precalculus and Calculus - Precalculus and Calculus provides instruction in precalculus and calculus and applies them to examples found in'
  ❌ Invalid title line: 'RXT2 - Precalculus and Calculus - Precalculus and Calculus provides instruction in precalculus and calculus and applies them to examples found in'
  ➜ Parsing at 7016: 'both mathematics and science. Topics in precalculus include principles of trigonometry, mathematical modeling, and logarithmic, exponential,'

🔍 parse_program: starting at line 7016: 'both mathematics and science. Topics in precalculus include principles of trigonometry, mathematical modeling, and logarithmic, exponential,'
  ➜ Title candidate: 'both mathematics and science. Topics in precalculus include principles of trigonometry, mathematical modeling, and logarithmic, exponential,'
  ❌ Invalid title line: 'both mathematics and science. Topics in precalculus include principles of trigonometry, mathematical modeling, and logarithmic, exponential,'
  ➜ Parsing at 7017: 'polynomial, and rational functions. Topics in calculus include conceptual knowledge of limit, continuity, differentiability, and integration.'

🔍 parse_program: starting at line 7017: 'polynomial, and rational functions. Topics in calculus include conceptual knowledge of limit, continuity, differentiability, and integration.'
  ➜ Title candidate: 'polynomial, and rational functions. Topics in calculus include conceptual knowledge of limit, continuity, differentiability, and integration.'
  ❌ Invalid title line: 'polynomial, and rational functions. Topics in calculus include conceptual knowledge of limit, continuity, differentiability, and integration.'
  ➜ Parsing at 7018: 'SJT2 - Advanced Networking Technology - This course prepares students to support the ever growing interconnectivity needs of organizations.'

🔍 parse_program: starting at line 7018: 'SJT2 - Advanced Networking Technology - This course prepares students to support the ever growing interconnectivity needs of organizations.'
  ➜ Title candidate: 'SJT2 - Advanced Networking Technology - This course prepares students to support the ever growing interconnectivity needs of organizations.'
  ❌ Invalid title line: 'SJT2 - Advanced Networking Technology - This course prepares students to support the ever growing interconnectivity needs of organizations.'
  ➜ Parsing at 7019: 'Students will learn about advanced networking concepts, devices and strategies to provide superior network connectivity to organizations. A review of'

🔍 parse_program: starting at line 7019: 'Students will learn about advanced networking concepts, devices and strategies to provide superior network connectivity to organizations. A review of'
  ➜ Title candidate: 'Students will learn about advanced networking concepts, devices and strategies to provide superior network connectivity to organizations. A review of'
  ❌ Invalid title line: 'Students will learn about advanced networking concepts, devices and strategies to provide superior network connectivity to organizations. A review of'
  ➜ Parsing at 7020: 'common yet critical network devices and technologies will be provided such as switches, routers, hubs, firewalls, T-1s, ATM, fiber and others.'

🔍 parse_program: starting at line 7020: 'common yet critical network devices and technologies will be provided such as switches, routers, hubs, firewalls, T-1s, ATM, fiber and others.'
  ➜ Title candidate: 'common yet critical network devices and technologies will be provided such as switches, routers, hubs, firewalls, T-1s, ATM, fiber and others.'
  ❌ Invalid title line: 'common yet critical network devices and technologies will be provided such as switches, routers, hubs, firewalls, T-1s, ATM, fiber and others.'
  ➜ Parsing at 7021: 'Students will also be prepared to review existing network environments and provide specifications to upgrade and enhance such networks.'

🔍 parse_program: starting at line 7021: 'Students will also be prepared to review existing network environments and provide specifications to upgrade and enhance such networks.'
  ➜ Title candidate: 'Students will also be prepared to review existing network environments and provide specifications to upgrade and enhance such networks.'
  ❌ Invalid title line: 'Students will also be prepared to review existing network environments and provide specifications to upgrade and enhance such networks.'
  ➜ Parsing at 7022: 'SLO1 - Theories of Second Language Acquisition and Grammar - Theories of Second Language Learning Acquisition and Grammar covers'

🔍 parse_program: starting at line 7022: 'SLO1 - Theories of Second Language Acquisition and Grammar - Theories of Second Language Learning Acquisition and Grammar covers'
  ➜ Title candidate: 'SLO1 - Theories of Second Language Acquisition and Grammar - Theories of Second Language Learning Acquisition and Grammar covers'
  ❌ Invalid title line: 'SLO1 - Theories of Second Language Acquisition and Grammar - Theories of Second Language Learning Acquisition and Grammar covers'
  ➜ Parsing at 7023: 'content material in applied linguistics, including morphology, syntax, semantics, and grammar. Students will explore the role of dialect in the'

🔍 parse_program: starting at line 7023: 'content material in applied linguistics, including morphology, syntax, semantics, and grammar. Students will explore the role of dialect in the'
  ➜ Title candidate: 'content material in applied linguistics, including morphology, syntax, semantics, and grammar. Students will explore the role of dialect in the'
  ❌ Invalid title line: 'content material in applied linguistics, including morphology, syntax, semantics, and grammar. Students will explore the role of dialect in the'
  ➜ Parsing at 7024: 'classroom, the connections between language and culture, and the theories of first and second language acquisition.'

🔍 parse_program: starting at line 7024: 'classroom, the connections between language and culture, and the theories of first and second language acquisition.'
  ➜ Title candidate: 'classroom, the connections between language and culture, and the theories of first and second language acquisition.'
  ❌ Invalid title line: 'classroom, the connections between language and culture, and the theories of first and second language acquisition.'
  ➜ Parsing at 7025: 'TAT2 - Technology Production - Technology Production focuses on the foundations of media and technology, integrated technology development,'

🔍 parse_program: starting at line 7025: 'TAT2 - Technology Production - Technology Production focuses on the foundations of media and technology, integrated technology development,'
  ➜ Title candidate: 'TAT2 - Technology Production - Technology Production focuses on the foundations of media and technology, integrated technology development,'
  ❌ Invalid title line: 'TAT2 - Technology Production - Technology Production focuses on the foundations of media and technology, integrated technology development,'
  ➜ Parsing at 7026: 'and the integration of technology into appropriate instructional uses of productivity, and applying different research applications in the learning'

🔍 parse_program: starting at line 7026: 'and the integration of technology into appropriate instructional uses of productivity, and applying different research applications in the learning'
  ➜ Title candidate: 'and the integration of technology into appropriate instructional uses of productivity, and applying different research applications in the learning'
  ❌ Invalid title line: 'and the integration of technology into appropriate instructional uses of productivity, and applying different research applications in the learning'
  ➜ Parsing at 7027: 'environment.'

🔍 parse_program: starting at line 7027: 'environment.'
  ➜ Title candidate: 'environment.'
  ❌ Invalid title line: 'environment.'
  ➜ Parsing at 7028: 'TDT1 - Technology Design Portfolio - Technology Design Portfolio focuses on gaining a broad overview of the field of technology integration with a'

🔍 parse_program: starting at line 7028: 'TDT1 - Technology Design Portfolio - Technology Design Portfolio focuses on gaining a broad overview of the field of technology integration with a'
  ➜ Title candidate: 'TDT1 - Technology Design Portfolio - Technology Design Portfolio focuses on gaining a broad overview of the field of technology integration with a'
  ❌ Invalid title line: 'TDT1 - Technology Design Portfolio - Technology Design Portfolio focuses on gaining a broad overview of the field of technology integration with a'
  ➜ Parsing at 7029: 'fundamental understanding of some key concepts and principles, and enhancing technology skills to enable the producing of exportable instructional'

🔍 parse_program: starting at line 7029: 'fundamental understanding of some key concepts and principles, and enhancing technology skills to enable the producing of exportable instructional'
  ➜ Title candidate: 'fundamental understanding of some key concepts and principles, and enhancing technology skills to enable the producing of exportable instructional'
  ❌ Invalid title line: 'fundamental understanding of some key concepts and principles, and enhancing technology skills to enable the producing of exportable instructional'
  ➜ Parsing at 7030: 'and professional products using various integrated application programs.'

🔍 parse_program: starting at line 7030: 'and professional products using various integrated application programs.'
  ➜ Title candidate: 'and professional products using various integrated application programs.'
  ❌ Invalid title line: 'and professional products using various integrated application programs.'
  ➜ Parsing at 7031: 'TET1 - Issues in Technology Integration - Issues in Technology Integration focuses on the legal and ethical practice of technology, some personal'

🔍 parse_program: starting at line 7031: 'TET1 - Issues in Technology Integration - Issues in Technology Integration focuses on the legal and ethical practice of technology, some personal'
  ➜ Title candidate: 'TET1 - Issues in Technology Integration - Issues in Technology Integration focuses on the legal and ethical practice of technology, some personal'
  ❌ Invalid title line: 'TET1 - Issues in Technology Integration - Issues in Technology Integration focuses on the legal and ethical practice of technology, some personal'
  ➜ Parsing at 7032: 'uses of electronic resources, the need for protection of information, the foundations of media and technology, what electronic learning communities'

🔍 parse_program: starting at line 7032: 'uses of electronic resources, the need for protection of information, the foundations of media and technology, what electronic learning communities'
  ➜ Title candidate: 'uses of electronic resources, the need for protection of information, the foundations of media and technology, what electronic learning communities'
  ❌ Invalid title line: 'uses of electronic resources, the need for protection of information, the foundations of media and technology, what electronic learning communities'
  ➜ Parsing at 7033: 'are, and the adaptive technologies for special populations.'

🔍 parse_program: starting at line 7033: 'are, and the adaptive technologies for special populations.'
  ➜ Title candidate: 'are, and the adaptive technologies for special populations.'
  ❌ Invalid title line: 'are, and the adaptive technologies for special populations.'
  ➜ Parsing at 7034: 'TFT2 - Cyberlaw, Regulations, and Compliance - Cyberlaw, Regulations and Compliance prepares students to participate in legal analysis of'

🔍 parse_program: starting at line 7034: 'TFT2 - Cyberlaw, Regulations, and Compliance - Cyberlaw, Regulations and Compliance prepares students to participate in legal analysis of'
  ➜ Title candidate: 'TFT2 - Cyberlaw, Regulations, and Compliance - Cyberlaw, Regulations and Compliance prepares students to participate in legal analysis of'
  ❌ Invalid title line: 'TFT2 - Cyberlaw, Regulations, and Compliance - Cyberlaw, Regulations and Compliance prepares students to participate in legal analysis of'
  ➜ Parsing at 7035: 'relevant cyberlaws and address governance, standards, policies, and legislation. Students will conduct a security risk analysis for an enterprise'

🔍 parse_program: starting at line 7035: 'relevant cyberlaws and address governance, standards, policies, and legislation. Students will conduct a security risk analysis for an enterprise'
  ➜ Title candidate: 'relevant cyberlaws and address governance, standards, policies, and legislation. Students will conduct a security risk analysis for an enterprise'
  ❌ Invalid title line: 'relevant cyberlaws and address governance, standards, policies, and legislation. Students will conduct a security risk analysis for an enterprise'
  ➜ Parsing at 7036: 'system. In addition, students will determine cyber requirements for third‐party vendor agreements. Students will also evaluate provisions of both the'

🔍 parse_program: starting at line 7036: 'system. In addition, students will determine cyber requirements for third‐party vendor agreements. Students will also evaluate provisions of both the'
  ➜ Title candidate: 'system. In addition, students will determine cyber requirements for third‐party vendor agreements. Students will also evaluate provisions of both the'
  ❌ Invalid title line: 'system. In addition, students will determine cyber requirements for third‐party vendor agreements. Students will also evaluate provisions of both the'
  ➜ Parsing at 7037: '2001 and 2006 USA PATRIOT Acts.'

🔍 parse_program: starting at line 7037: '2001 and 2006 USA PATRIOT Acts.'
  ➜ Title candidate: '2001 and 2006 USA PATRIOT Acts.'
  ❌ Invalid title line: '2001 and 2006 USA PATRIOT Acts.'
  ➜ Parsing at 7038: '© Western Governors University 7/19/17 175'

🔍 parse_program: starting at line 7038: '© Western Governors University 7/19/17 175'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'TOC2 - Probability and Statistics I - Probability and Statistics I covers the knowledge and skills necessary to apply basic probability, descriptive'
  ➜ Skipping stray line: 'statistics, and statistical reasoning, and to use appropriate technology to model and solve real-life problems. It provides an introduction to the science'
  ➜ Skipping stray line: 'of collecting, processing, analyzing, and interpreting data. Topics include creating and interpreting numerical summaries and visual displays of data;'
  ➜ Skipping stray line: 'regression lines and correlation; evaluating sampling methods and their effect on possible conclusions; designing observational studies, controlled'
  ➜ Skipping stray line: 'experiments, and surveys; and determining probabilities using simulations, diagrams, and probability rules. College Algebra is a prerequisite for this'
  ➜ Skipping stray line: 'course.'
  ➜ Skipping stray line: 'TQC1 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Skipping stray line: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Skipping stray line: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Skipping stray line: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Skipping stray line: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Skipping stray line: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Skipping stray line: 'TQC2 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Skipping stray line: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Skipping stray line: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Skipping stray line: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Skipping stray line: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Skipping stray line: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Skipping stray line: 'TSC2 - General Chemistry I - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Skipping stray line: 'solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic table and chemical'
  ➜ Skipping stray line: 'nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work focuses on using'
  ➜ Skipping stray line: 'effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TSP1 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Skipping stray line: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Skipping stray line: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TSP2 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Skipping stray line: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Skipping stray line: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Skipping stray line: 'TUC2 - General Chemistry II - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Skipping stray line: 'solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models, oxidation-reduction'
  ➜ Skipping stray line: 'reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on using effective'
  ➜ Skipping stray line: 'laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TUP1 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Skipping stray line: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Skipping stray line: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TUP2 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Skipping stray line: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Skipping stray line: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Skipping stray line: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Skipping stray line: 'TVT2 - Governance, Finance, Law, and Leadership for Principals - This subdomain contains content in educational law, finance, and'
  ➜ Skipping stray line: 'administration as well as a case study review of your site’s leadership practices.'
  ➜ Skipping stray line: 'UFC1 - Managerial Accounting - This course focuses on identifying, gathering, and interpreting information that will be used for evaluating and'
  ➜ Skipping stray line: 'managing the performance of a business. Students will also study cost measurement for producing goods and services and how to analyze and'
  ➜ Skipping stray line: 'control these costs.'
  ➜ Skipping stray line: 'UQT1 - Organic Chemistry - This course focuses on the study of compounds that contain carbon, much of which is learning how to organize and'
  ➜ Skipping stray line: 'group these compounds based on common bonds found within them in order to predict their structure, behavior, and reactivity.'
  ➜ Skipping stray line: 'VLT2 - Security Policies and Standards - Best Practices - This course focuses on the practices of planning and implementing organization-wide'
  ➜ Skipping stray line: 'security and assurance initiatives as well as auditing assurance processes.'
  ➜ Skipping stray line: 'VYC1 - Principles of Accounting - Principles of Accounting focuses on ways in which accounting principles are used in business operations.'
  ➜ Skipping stray line: 'Students will learn about the basics of accounting, including how to use Generally Accepted Accounting Principles (GAAP), ledgers, and journals.'
  ➜ Skipping stray line: 'Students will also be introduced to the steps of the accounting cycle, concepts of assets and liabilities, and general information about accounting'
  ➜ Skipping stray line: 'information systems. This course also presents bank reconciliation methods, balance sheets, and business ethics.'
  ➜ Skipping stray line: 'VZT1 - Marketing Applications - Marketing Applications allows students to apply their knowledge of core marketing principles by creating a'
  ➜ Skipping stray line: 'comprehensive marketing plan. Their plan will apply their knowledge of the marketing planning process, market analysis, and the marketing mix'
  ➜ Skipping stray line: '(product, place, promotion, and price).'
  ➜ Skipping stray line: '© Western Governors University 7/19/17 176'
  ➜ Skipping stray line: 'Course Mentor Directory'
  ➜ Skipping stray line: 'General Education'
  ➜ Skipping stray line: 'Adams, William; M.A., Savanah College of Art and Design'
  ➜ Skipping stray line: 'Aguirre, Jennifer; M.S., Walden University'
  ➜ Skipping stray line: 'Akens, Jonne; Ph. D., Texas A&M University'
  ➜ Skipping stray line: 'Alexander, Ledora; Ed.S., Walden University'
  ➜ Skipping stray line: 'Ashe, James; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Barnes, Lauri; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Baty, Amanda; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Benson, Bryan; Ph.D., Boston College'
  ➜ Skipping stray line: 'Bilbrey, Joshua; Ph.D., Texas State University'
  ➜ Skipping stray line: 'Borden, Anne; Ph.D., Emory University'
  ➜ Skipping stray line: 'Brewer, Craig: Ph.D., University of Notre Dame'
  ➜ Skipping stray line: 'Brown, Bonnie; Ph.D., Stephen F. Austin State University'
  ➜ Skipping stray line: 'Browning, Ellen; Ph.D., University of Texas, Arlington'
  ➜ Skipping stray line: 'Buchanan, Tenielle; Ed.D., Lipscomb University'
  ➜ Skipping stray line: 'Byrnes, Sean; Ph.D., Emory University'
  ➜ Skipping stray line: 'Carmona, Karla; M.S., Western Governors University'
  ➜ Skipping stray line: 'Castaneda, Gilivaldo; M.Ed., University of Texas at San Antonio'
  ➜ Skipping stray line: 'Chaves Ulloa, Ramsa; Ph.D., Dartmouth College'
  ➜ Skipping stray line: 'Chittick, Sharla; Ph.D., University of Stirling'
  ➜ Skipping stray line: 'Condit, Lorna; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Cowan, Christy; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Crawford, Nathan; Ph.D., University of Tennessee-Knoxville'
  ➜ Skipping stray line: 'Crooks, Kathleen; Ph.D., University of Akron'
  ➜ Skipping stray line: 'Cross, Cameron; M.S., Kaplan University'
  ➜ Skipping stray line: 'Cureton, Sara; M.A., Gonzaga Univeristy'
  ➜ Skipping stray line: 'Cutler, Ned; Ph.D., Duke University'
  ➜ Skipping stray line: 'Dodge, Joshua; M.A., University of Central Florida'
  ➜ Skipping stray line: 'Dorre, Gina; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Douglas, Katherine; M.A., University of California, San Diego'
  ➜ Skipping stray line: 'Duff, Kandi; Ed.D., Idaho State University'
  ➜ Skipping stray line: 'Dungar, Michael; MA, Boston College'
  ➜ Skipping stray line: 'Edmunds, Jeffrey; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Evans, Robin; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Evenson Newhouse, Ranae; Ph.D., Vanderbilt University'
  ➜ Skipping stray line: 'Faucett, Jessica; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Fehnel, Bradley; M.S., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Fellow, Jill; M.S., Brigham Young University'
  ➜ Skipping stray line: 'Franco, Heidi; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Frusciante, Denise; Ph.D., University of Miami'
  ➜ Skipping stray line: 'Galindez, Dahlia; MA, Western Governors University'
  ➜ Skipping stray line: 'Gangaram, Jitendra; Ph.D., North Central University'
  ➜ Skipping stray line: 'Garrett, Janette; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Goodwin, Rachel; Ph.D., University of Texas'
  ➜ Skipping stray line: 'Gordon, Kelley; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Gravitte, Kristen; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Gradzielewski, Andrew; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Halula, Stephen; Ph.D., Marquette University'
  ➜ Skipping stray line: 'Harris, Steven; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Hartwick, Andromeda; Ph.D., University of Michigan'
  ➜ Skipping stray line: 'Hayne, Victoria; Ph.D., University of California - Los Angeles'
  ➜ Skipping stray line: 'Hernandez, Ali; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Hillyer, Aaron; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Horne, Lisa; M.A., Brigham Young University'
  ➜ Skipping stray line: 'Hurley, Norman; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Jensen, Taylor; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Johnson, Stephanie; MBA, Lindenwood University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 177'
  ➜ Skipping stray line: 'Jones, Lee; Ph.D., Clark Atlanta University'
  ➜ Skipping stray line: 'Kelley, Matthew; Ph.D., University of Nevada-Las Vegas'
  ➜ Skipping stray line: 'Kelly, Lynn; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Knieps, Linda; Ph.D., Vanderbilt University'
  ➜ Skipping stray line: 'Knous, Helen; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Landry, Stan; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Latham, Kary; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Lauren, Jennifer; Ph.D., Duquesne University'
  ➜ Skipping stray line: 'Leep, Matthew; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Lettau, Lisa; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Little, David; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Lukin, Kara; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Main, Daniel; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Mammen, John; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Mantooth, Stacy; Ph. D., University of Nevada – Las Vegas'
  ➜ Skipping stray line: 'Martin, Jonathan; M.A., West Virginia University'
  ➜ Skipping stray line: 'Mays, Ashley; Ph.D., University of North Carolina at Chapel Hill'
  ➜ Skipping stray line: 'McCune, Timothy; Ph.D., Youngstown State University'
  ➜ Skipping stray line: 'McWatters, Mason; Ph.D., University of Texas at Austin'
  ➜ Skipping stray line: 'Metoki, Kiyoko; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Meyer, Nicholas; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Miller, Don; Ph.D., Morehouse School of Medicine'
  ➜ Skipping stray line: 'Miller, Kathleen; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Moody, Vivian; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Mosgrove, Sharon; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Moss, Meg; Ph.D., University of Tennessee-Knoxville'
  ➜ Skipping stray line: 'Mzoughi, Taha; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Nelson, Angela; Ph.D., Cornell University'
  ➜ Skipping stray line: 'Nicley, Erinn; M.S., Florida State University'
  ➜ Skipping stray line: 'Norton, Cindy; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Olson, Nels; Ph.D., Michigan State University'
  ➜ Skipping stray line: 'Oulette, David; Ph.D., Virginia Commonwealth University'
  ➜ Skipping stray line: 'Palmer, Michael; M.F.A., University of Utah'
  ➜ Skipping stray line: 'Pankowski, Peg; Ed.D., Duquesne University'
  ➜ Skipping stray line: 'Parrish, Anca; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Parton, Sabrena; Ph.D., University of Southern Mississippi'
  ➜ Skipping stray line: 'Parvin, Kathleen; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Peppers, Shelitha; Ed.D., Maryville University'
  ➜ Skipping stray line: 'Perkins, Heidi; M.S., Excelsior College'
  ➜ Skipping stray line: 'Phillips, Dedra; M.A., Colorado Technical University'
  ➜ Skipping stray line: 'Potter, Christine; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Quintela, Melissa; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Radosavljevic, Alexander; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Redden, Cameron; MAT, Baldwin Wallace University'
  ➜ Skipping stray line: 'Redkey, Elizabeth; Ph.D., University at Albany, State University of New York'
  ➜ Skipping stray line: 'Remington, Theodore; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Rhodes, Kristofer; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Robinson, Ami; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Robinson, Jeffery; Ph.D., Drew University'
  ➜ Skipping stray line: 'Rosenblatt, Heather; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Rossi, Cynthia; Ph.D., University of Maryland'
  ➜ Skipping stray line: 'Saddler, Derrick; Ph.D., University of South Florida'
  ➜ Skipping stray line: 'Sanchez, Melvin; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Scheg, Abigail; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Scheib, Douglas; Ph.D., University of Miami'
  ➜ Skipping stray line: 'Scotece, Shannon; Ph.D., State University of New York - Albany'
  ➜ Skipping stray line: 'Shahi, Kimberley; Ph.D., University of Texas at Arlington'
  ➜ Skipping stray line: 'Sharpe, Robert; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Shimotsu-Dariol, Stephanie; Ph.D., West Virginia University'
  ➜ Skipping stray line: 'Simeon, Patricia; Ed.D., Grambling State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 178'
  ➜ Skipping stray line: 'Simmons, Nathaniel; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Smith, Tommie; MBA, Middle Tennessee State University'
  ➜ Skipping stray line: 'Springfield, Derriell; Ed.D., East Tennessee State University'
  ➜ Skipping stray line: 'St Martin, Ashley; M.S., University of Vermont'
  ➜ Skipping stray line: 'Stambaugh, Nathaniel; Ph.D., Brandeis University'
  ➜ Skipping stray line: 'Starr, Neil; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Timmer, Kristin; Ph.D., University of Tennessee Health Science Center'
  ➜ Skipping stray line: 'Tolin Schultz, Alexandra; Ph.D., Stony Brook University'
  ➜ Skipping stray line: 'Tucker, Diana; Ph.D., Southern Illinois University Carbondale'
  ➜ Skipping stray line: 'Tweedy, Joanna; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Verber, Jason; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Vida, Anna; M.A., Arizona State University'
  ➜ Skipping stray line: 'Walker, Hope; M.A., The American University'
  ➜ Skipping stray line: 'Weaver, Matthew; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Webb, James; M.A., Pacific University'
  ➜ Skipping stray line: 'Wellinghoff, Lisa; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Westmoreland, Brandi; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Whitson-Whennen, Tonya; M.M., University of Utah'
  ➜ Skipping stray line: 'Woolridge, Mary; Ph.D., University of Central Florida'
  ➜ Skipping stray line: 'Young, Michael; Ph.D., University of Missouri at Saint Louis'
  ➜ Skipping stray line: 'Zasadny, Jill; Ph.D., Kansas University'
  ➜ Skipping stray line: 'Teachers College'
  ➜ Skipping stray line: 'Aafif, Amal; Ph.D., Drexel University'
  ➜ Skipping stray line: 'Affleck, Alisa; M.A., Western Governors University'
  ➜ Skipping stray line: 'Allen, Elizabeth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Aranda, Christina; M.A., University of Utah'
  ➜ Skipping stray line: 'Aufderhaar, Carolyn; Ed.D., University of Cincinnati'
  ➜ Skipping stray line: 'Baxter, Marissa; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Belchik-Moser, Sara; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Betts, Anastasia; Ph.D., Regent University'
  ➜ Skipping stray line: 'Blanks, Dorothy; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Boen, Laurie; Ph.D., University of Arkansas'
  ➜ Skipping stray line: 'Boyd-Bradwell, Natasha; Ph.D., Capella University'
  ➜ Skipping stray line: 'Branan, Daniel; Ph.D., University of Denver'
  ➜ Skipping stray line: 'Branch, Leah; Ed.D., Bethel University'
  ➜ Skipping stray line: 'Brogan, Lynn; Ed.D., Columbia University'
  ➜ Skipping stray line: 'Brooks, Marlaina; Ed.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Calero, Lisa; Ph.D., Capella University'
  ➜ Skipping stray line: 'Carey, Kimberly; Ph.D., Old Dominion University'
  ➜ Skipping stray line: 'Cartwright, Nancy; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'Cohen, Kimberley; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Constanza, Michele; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Covey, Nicole; Ed.D., University of Memphis'
  ➜ Skipping stray line: 'Douglas, Deanna; Ph.D., Wichita State University'
  ➜ Skipping stray line: 'Dove, Teresa; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Dukes, Debra; Ed.D., University of Georgia'
  ➜ Skipping stray line: 'Durakiewicz, Anna; M.S., University of Marie Curie'
  ➜ Skipping stray line: 'Eisenhour, Melanie; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Feng, Suiping; Ph.D., City University of New York'
  ➜ Skipping stray line: 'Fillpot, Elsie; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Flavin, Kathryn; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Flores, Alberto; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Francis, David; M.A., Western Governors University'
  ➜ Skipping stray line: 'Giddens, Evelyn; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gillman, Brenna; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Gray-Dowdy, Audra; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Hall, Robert; Ph.D., Capella University'
  ➜ Skipping stray line: 'Halverson, Colleen; Ph.D., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Harbin, Lesley; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 179'
  ➜ Skipping stray line: 'Hardin, Bridgette; Ed.D., Texas A&M University-Corpus Christi'
  ➜ Skipping stray line: 'Hedman, Shawn; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Henry, Joanna; M.E., Lamar University'
  ➜ Skipping stray line: 'Hernandez, Julie; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Hiebel, Adam; Ed.D., Ohio University'
  ➜ Skipping stray line: 'Hudon-Miller, Sarah; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Hughes, Amy; Ed.D., University of Montana'
  ➜ Skipping stray line: 'Hutson, Tommye; Ed.D., Baylor University'
  ➜ Skipping stray line: 'Igbinoba-Cummings, Monique; Ph.D., Lynn University'
  ➜ Skipping stray line: 'Izumi, Alisa; Ed.D., University of Massachusetts'
  ➜ Skipping stray line: 'Jacobs, Patricia; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Janitzki, Dean; M.A., University of Toledo'
  ➜ Skipping stray line: 'Johnson, Sherri; Ph.D., Capella University'
  ➜ Skipping stray line: 'Jovic, Marko; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Kain, Meri; Ed.D., University of Missouri'
  ➜ Skipping stray line: 'Kelly, Gretchen; Ed.D., Walden University'
  ➜ Skipping stray line: 'Leinbach, William; Ed.D., Oregon State University'
  ➜ Skipping stray line: 'Lindemann, Steven; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Linkenhoker, Dina; Ed.D., Liberty University'
  ➜ Skipping stray line: 'Lipscomb, Pauline; Ed.D., University of the Cumberlands'
  ➜ Skipping stray line: 'Luster, Sandricia; Ed.S., Argosy University'
  ➜ Skipping stray line: 'McCarver, Patricia; Ph.D., California Institute of Integral Studies'
  ➜ Skipping stray line: 'McDaniel, Maryann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'McGrath Hovland, Michelle; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Mendes, John; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Miller, Esther; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Mills, Ginger; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Moore, Tontaleya; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Morgan, Matthew; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Mour, Jennifer; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Murray, Mary; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Obianyo, Obiamaka; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Odom, M. Katherine; Ph.D., University of South Alabama'
  ➜ Skipping stray line: 'O’Malley, Maureen; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Pack, Mamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Parry, Kelly; Ph.D., University of North Texas'
  ➜ Skipping stray line: 'Purnell, Courtney; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Quinn, Lori; M.A.Ed., Prairie View A&M University'
  ➜ Skipping stray line: 'Rahsaz, Jacqueline; M.A., University of California San Diego'
  ➜ Skipping stray line: 'Randonis, Jennifer; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Rawson, Robert; Ph.D., University of Texas Southwestern'
  ➜ Skipping stray line: 'Richen, Damara; Ed.D., Fielding Graduate University'
  ➜ Skipping stray line: 'Robles, Veronica; Ed.D., Arizona State University'
  ➜ Skipping stray line: 'Rogers, Carmelle; Ph.D., Kansas State University'
  ➜ Skipping stray line: 'Russell-Fry, Nancy; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Scales, Rebecca; M.A., Western Governors University'
  ➜ Skipping stray line: 'Schmidt, Stan; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Sepetys, Peggy; Ed.D., University of Michigan'
  ➜ Skipping stray line: 'Shrader, Vincent; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Silver, Jennifer; Ph.D., New York University'
  ➜ Skipping stray line: 'Sims, Rachel; Ed.D., Walden University'
  ➜ Skipping stray line: 'Smith, Janeal; Ph.D., Walden University'
  ➜ Skipping stray line: 'Spencer, Kristin; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Story, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Swenson, Karl; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Thompson, Julie; Ph.D., University of Rochester'
  ➜ Skipping stray line: 'Traub-Metlay, Suzanne; Ph.D., University of Pittsburg'
  ➜ Skipping stray line: 'Tresnak, Robyn; Ph.D., Walden University'
  ➜ Skipping stray line: 'Turner, Carmen; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Vickers, Paul; Ed.D., Stephen F. Austin State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 180'
  ➜ Skipping stray line: 'Walter-Sullivan, Earnestyne; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'Weinstein, Gideon; Ph.D., Indiana University Bloomington'
  ➜ Skipping stray line: 'Whitmire, Jane; Ph.D., University of Montana'
  ➜ Skipping stray line: 'Willey-Rendon, Ruby; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Williams, Lacey; Ed.D., Union Institute and University'
  ➜ Skipping stray line: 'Wisnosky, Marc; Ph.D., University of Pittsburgh'
  ➜ Skipping stray line: 'Yanusheva, Lidiya; Ed.D., Walden University'
  ➜ Skipping stray line: 'Yatherajam, Gayatri; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Zartman, Krista; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Zimmerli, Mandy; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'College of Business'
  ➜ Skipping stray line: 'Abubakari, Nina; J.D., Wayne State University'
  ➜ Skipping stray line: 'Adler, Kathleen; Ph.D., Southern Methodist University'
  ➜ Skipping stray line: 'Alafita, Theresa; Ph.D., George Washington University'
  ➜ Skipping stray line: 'Arenz, Russell; Ph.D., Colorado Technical University'
  ➜ Skipping stray line: 'Argiento, Steven; J.D., Pace University'
  ➜ Skipping stray line: 'Austin, Judy; MBA, Western Governors University'
  ➜ Skipping stray line: 'Baragoshi, Behroz; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Barton, Robert; Ed.S., Utah State University'
  ➜ Skipping stray line: 'Black, Hilda; Ph.D., Louisiana Tech University'
  ➜ Skipping stray line: 'Borch, Casey; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Boysen-Rotelli, Sheila; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Brownstein, Steven; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Carson, Pook; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Cassell, Kenneth; MBA, San Jose State University'
  ➜ Skipping stray line: 'Cherry, Patricia; Ph.D., Capella University'
  ➜ Skipping stray line: 'Clarke, Jeffrey; Ph.D., University of California-Los Angeles'
  ➜ Skipping stray line: 'Connor, Martin; J.D., University of North Dakota'
  ➜ Skipping stray line: 'Davis, Lorretta; Ph.D., Capella University'
  ➜ Skipping stray line: 'Davis, Mary; Ed.D., Central Michigan University'
  ➜ Skipping stray line: 'Doctorman, Lindsey; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Doren, Andrew; D.M., University of Maryland'
  ➜ Skipping stray line: 'Dula, Kimberly; Ph.D., Mercer University'
  ➜ Skipping stray line: 'Duran, Anthony; DBA, Grand Canyon University'
  ➜ Skipping stray line: 'Ennis, Erica; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Etter, Edwin; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Feehery, George; DBA, Nova Southeastern University'
  ➜ Skipping stray line: 'Fisher, Paul; Ph.D., Oregon State University'
  ➜ Skipping stray line: 'Gallo, Merry; DBA, Argosy University'
  ➜ Skipping stray line: 'Garland, Jennifer; DBA, Keiser University'
  ➜ Skipping stray line: 'Geddes, Bruce; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gilyot, Bianca; MBA, Northcentral University'
  ➜ Skipping stray line: 'Giscombe, Hilbert; DBA, Argosy University'
  ➜ Skipping stray line: 'Gough, Gregory; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Green, Maurice; Ph.D., University at Albany – State University of New York'
  ➜ Skipping stray line: 'Gunn, Linda; Ph.D., Union Institute and University'
  ➜ Skipping stray line: 'Havins, Merwin; Ed.D., Northern Arizona University'
  ➜ Skipping stray line: 'Heinzman, Joseph; DM, Colorado Technical University'
  ➜ Skipping stray line: 'Hon, Charles; Ph.D., Capella University'
  ➜ Skipping stray line: 'Hudson, Brandi; J.D., Regent University'
  ➜ Skipping stray line: 'Iannucci, Brian; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Imboden, Paul; DBA., Northcentral University'
  ➜ Skipping stray line: 'Jividen, Jim; J.D., Ohio Northern University'
  ➜ Skipping stray line: 'Jones, Alan; MBA, Dartmouth College'
  ➜ Skipping stray line: 'Justice, Jeanne; DBA, Walden University'
  ➜ Skipping stray line: 'Kale, Mrinalini; Ph.D., Capella University'
  ➜ Skipping stray line: 'Kenny, Timothy; M.S., Regis University'
  ➜ Skipping stray line: 'Kowalski, Christine; Ed.D., National Louis University'
  ➜ Skipping stray line: 'Kushniroff, Melinda; Ed.D., Liberty University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 181'
  ➜ Skipping stray line: 'La Hay, Ann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Lagroue, Harold; Ph.D., Louisiana State University'
  ➜ Skipping stray line: 'Lamer, Maryann; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Langdon, Debra; MBA, Denver University'
  ➜ Skipping stray line: 'Lutter-Cooper, Victoria; Ph.D., Capella University'
  ➜ Skipping stray line: 'Marshall, Mario; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'McClesky, Jamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'McNulty, Peggy; Ph.D., University of Colorado-Colorado Springs'
  ➜ Skipping stray line: 'Melton, Rebecca; Ph.D., Chicago School of Professional Psychology'
  ➜ Skipping stray line: 'Mills, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Moore, Detria; J.D., Liberty University'
  ➜ Skipping stray line: 'Neely, Cecil; MBA, University of North Carolina at Greensboro'
  ➜ Skipping stray line: 'Nelms, Linda; Ph.D., Capella University'
  ➜ Skipping stray line: 'Nelson, Camille; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'O’Brien, Joseph; Ed.D., George Washington University'
  ➜ Skipping stray line: 'Openshaw, Matthew; Ph.D., University of Texas at Dallas'
  ➜ Skipping stray line: 'Parish, Beth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Patterson, Julie; Ph.D., University of Illinois at Urbana-Champaign'
  ➜ Skipping stray line: 'Pawarski, Richard; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Phillips, Patti; J.D., Stetson University'
  ➜ Skipping stray line: 'Pratt, Christopher; DHA, University of Phoenix'
  ➜ Skipping stray line: 'Raimo, Steve; DSL, Regent University'
  ➜ Skipping stray line: 'Richardson, Shay; DBA, Walden University'
  ➜ Skipping stray line: 'Roberts, Tracia; M.S., University of Phoenix'
  ➜ Skipping stray line: 'Roberts, Wade; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Rogers, Katie; MBA, University of Utah'
  ➜ Skipping stray line: 'Sawant, Gauri; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Shah, Rob; MBA, DeVry University'
  ➜ Skipping stray line: 'Shepherd, Tracie; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Skinner, Susan; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Snipes, Dawna; J.D., Western Michigan University'
  ➜ Skipping stray line: 'Souder, Michele; MBA, University of Dayton'
  ➜ Skipping stray line: 'Spicer, Ronald; Ph.D., Capella University'
  ➜ Skipping stray line: 'Stewart, Michelle; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Strickland, Cynthia; Ph.D., Touro University International'
  ➜ Skipping stray line: 'Swarthout, Nanette; MBA, Fontbonne University'
  ➜ Skipping stray line: 'Tapp, Timothy; MHA, Washington University'
  ➜ Skipping stray line: 'Thomas, Melanie; J.D., University of North Carolina'
  ➜ Skipping stray line: 'Venkateswar, Sankaran; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Wachter, Eddie; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Wade, Keith; MBA, University of Detroit'
  ➜ Skipping stray line: 'Walker, Natalie; DBA, Keiser University'
  ➜ Skipping stray line: 'Wang, Xiaofei; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Williams, Pegeen; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Williams, Rian; MPA, University of Utah'
  ➜ Skipping stray line: 'Wood, Carrie; M.S., Strayer University'
  ➜ Skipping stray line: 'College of Information Technology'
  ➜ Skipping stray line: 'Al-Husaam, Abdul; Ph.D., Capella University'
  ➜ Skipping stray line: 'Alberici, Mary; Ph.D., University of Missouri-St. Louis'
  ➜ Skipping stray line: 'Allen, Candice; M.A., Capella University'
  ➜ Skipping stray line: 'Antonucci, Amy; M.S., University of Delaware'
  ➜ Skipping stray line: 'Banerjee, Pubali; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'Beverley, Charles; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Blanson, Constance; Ph.D., Capella University'
  ➜ Skipping stray line: 'Bojonny, John; M.S., Marywood University'
  ➜ Skipping stray line: 'Borsum, Pamela; MBA, Western Governors University'
  ➜ Skipping stray line: 'Campbell, Wendy; DBA, Northcentral University'
  ➜ Skipping stray line: 'Carter, Betty; M.S., Troy University'
  ➜ Skipping stray line: 'Cobbs, Dana; M.S., College of William and Mary'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 182'
  ➜ Skipping stray line: 'Cook, Henry; M.S., Clark Atlanta University'
  ➜ Skipping stray line: 'Crawford, Demetria; M.S., Boston University'
  ➜ Skipping stray line: 'Dupree, Yolanda; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Farmer, Jaynee; M.A., University of Arkansas at Little Rock'
  ➜ Skipping stray line: 'Ferdinand, Jeff; M.S., Trident University International'
  ➜ Skipping stray line: 'Gardner, Diana; MBA, Western Governors University'
  ➜ Skipping stray line: 'Garza, Brian; M.S., Western Governors University'
  ➜ Skipping stray line: 'Goodwin, Orenthio; Ph.D., Capella University'
  ➜ Skipping stray line: 'Heiner, Jenny; M.S., Capitol College'
  ➜ Skipping stray line: 'Huff, David; Ph.D., Wayne State University'
  ➜ Skipping stray line: 'Jensen, Bryan; M.S., Bellvue University'
  ➜ Skipping stray line: 'Kercher, Paul; M.S., Missouri University of Science and Technology'
  ➜ Skipping stray line: 'LaMolinare, Deana; M.S., Duquesne University'
  ➜ Skipping stray line: 'Lang, Cythia; MSCHe, University of Maryland'
  ➜ Skipping stray line: 'Lavieri, Edward; DCS, Colorado Technical University'
  ➜ Skipping stray line: 'Light, Gerri; M.S., Walden University'
  ➜ Skipping stray line: 'Lively, Charles; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'McFarlane, Michele; M.S., DeVry University'
  ➜ Skipping stray line: 'McLaughlin, Mike; M.S., University of Maine'
  ➜ Skipping stray line: 'Mendell, Ronald; M.S., Capitol College'
  ➜ Skipping stray line: 'Milham, Thomas; MNCM, DeVry University'
  ➜ Skipping stray line: 'Moore, Ronald; M.A., Troy University'
  ➜ Skipping stray line: 'Morrill, Ralph; Ph.D., North Central University'
  ➜ Skipping stray line: 'Ntinglet-Davis, Emelda; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Ozmer, Connie; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Paddock, Charles; Ph.D., University of Houston'
  ➜ Skipping stray line: 'Peterson, Michael; Ph.D., Capella University'
  ➜ Skipping stray line: 'Pinaire, Ken; MBA, University of Texas at Dallas'
  ➜ Skipping stray line: 'Rawlinson, David; J.D., South Texas College of Law'
  ➜ Skipping stray line: 'Schaefer, Brett; MBA, DeVry University'
  ➜ Skipping stray line: 'Shenk, Maria; M.S., City University of Seattle'
  ➜ Skipping stray line: 'Scutro, Rebecca; M.S., Saint Joseph’s University'
  ➜ Skipping stray line: 'Sewell, William; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Sher-DeCusatis, Carolyn; M.A., State University of New York at Stony Brook'
  ➜ Skipping stray line: 'Shields, Jessica; MFA, Savannah College of Art and Design'
  ➜ Skipping stray line: 'Sistelos, Antonio; Ph.D., Indiana State University'
  ➜ Skipping stray line: 'Stromberg, Scott; M.S., Nova Southeastern University'
  ➜ Skipping stray line: 'Swanson, Tom; Ph.D., Capella University'
  ➜ Skipping stray line: 'Taylor, Julinda; M.S., Wichita State University'
  ➜ Skipping stray line: 'Travis, Susan; M.A., University of Phoenix'
  ➜ Skipping stray line: 'College of Health Professions'
  ➜ Skipping stray line: 'Abdur-Rahman, Veronica; Ph.D., Texas Woman’s University'
  ➜ Skipping stray line: 'Abee, Debra; M.S., University of North Carolina Greensboro'
  ➜ Skipping stray line: 'Abraham, Gail; MSN/ED, University of Phoenix'
  ➜ Skipping stray line: 'Adams, Lora; M.S., Michigan State University'
  ➜ Skipping stray line: 'Adkins, Dee; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Allen, Juanita; DNP, University of Utah'
  ➜ Skipping stray line: 'Ashby, Shelley; DNP, University of Southern Indiana'
  ➜ Skipping stray line: 'Austgen, Donna; M.S., University of Indianapolis'
  ➜ Skipping stray line: 'Barber, Kendar; M.S., Indiana University'
  ➜ Skipping stray line: 'Battle, Linda; DNP, Regis College'
  ➜ Skipping stray line: 'Benoit, Heidi; M.S., Western Governors University'
  ➜ Skipping stray line: 'Benson, Johnett; DNP, Kent State University'
  ➜ Skipping stray line: 'Bergfeld, Marcia; M.S., Lourdes College'
  ➜ Skipping stray line: 'Berndt, Janeen; DNP, Valparaiso University'
  ➜ Skipping stray line: 'Blaine, Stephanie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Cain, Lyn; Ph.D., Grand Canyon University'
  ➜ Skipping stray line: 'Carney, Mary; DNP, Touro University – Nevada'
  ➜ Skipping stray line: 'Chau-Nguyen, Thao; MPH, Tulane University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 183'
  ➜ Skipping stray line: 'Cleveland, Melissa; DNP, Rocky Mountain University'
  ➜ Skipping stray line: 'Cloonan, Kelly; DNP, Case Western Reserve'
  ➜ Skipping stray line: 'Dahdal, Kimberly; M.S., Western Governors University'
  ➜ Skipping stray line: 'Dantzler, Barbara; Ph.D., Trident University'
  ➜ Skipping stray line: 'Diaz, Constance; Ph.D., University of Northern Colorado'
  ➜ Skipping stray line: 'Diaz, Lorna; DNP, Western University of Health Sciences'
  ➜ Skipping stray line: 'Dorin, Michelle; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Dush, Curtis; M.S., East Tennessee State University'
  ➜ Skipping stray line: 'Elmer, Justine; M.S., Kaplan University'
  ➜ Skipping stray line: 'Englert, Mary; DNP, University of North Florida'
  ➜ Skipping stray line: 'Feather, Rebecca; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Frankie, Sandra; M.S., Western Governors University'
  ➜ Skipping stray line: 'Gabel, Ann; M.S., University of Kansas'
  ➜ Skipping stray line: 'Gayol, Marcos; M.S., Aspen University'
  ➜ Skipping stray line: 'Giaquinto, Elisa; M.A., Brown University'
  ➜ Skipping stray line: 'Gogatz, Debra; DNP, Regis University'
  ➜ Skipping stray line: 'Golden, Christina; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Gottesfeld, Ilene; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Gwyn, Elizabeth; M.S., Winston Salem State University'
  ➜ Skipping stray line: 'Hadsell, Christine; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Hansen, Julie; Ph.D., South Dakota State University'
  ➜ Skipping stray line: 'Hartley-Clanton, Patricia; M.S., University of Utah'
  ➜ Skipping stray line: 'Hawkins, Shannon; M.S., Walden University'
  ➜ Skipping stray line: 'Heyer-Schmidt, Theres-Anne; ND, University of Colorado-Denver'
  ➜ Skipping stray line: 'Hill, Dana; Ph.D., Walden University'
  ➜ Skipping stray line: 'Hunt, Eleanor; M.S., Duke University'
  ➜ Skipping stray line: 'Johnson-Anderson, Heidi; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Kangas, Sandra; Ph.D., Georgia State University'
  ➜ Skipping stray line: 'Kogan, Lisa; M.S., Western Governors University'
  ➜ Skipping stray line: 'Langer Atkinson, Heidi; Ph.D., University of Albany'
  ➜ Skipping stray line: 'Lashlee, Marilyn; DNP, Northeastern University'
  ➜ Skipping stray line: 'Long, Jennifer; M.S., Indiana University'
  ➜ Skipping stray line: 'Marshall, Janet; Ph.D., Rush University'
  ➜ Title candidate: 'Masterson, Debra; Ed.D., Liberty University'
  ✔️ Collected description (40 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 7039: 'TOC2 - Probability and Statistics I - Probability and Statistics I covers the knowledge and skills necessary to apply basic probability, descriptive'

🔍 parse_program: starting at line 7039: 'TOC2 - Probability and Statistics I - Probability and Statistics I covers the knowledge and skills necessary to apply basic probability, descriptive'
  ➜ Title candidate: 'TOC2 - Probability and Statistics I - Probability and Statistics I covers the knowledge and skills necessary to apply basic probability, descriptive'
  ❌ Invalid title line: 'TOC2 - Probability and Statistics I - Probability and Statistics I covers the knowledge and skills necessary to apply basic probability, descriptive'
  ➜ Parsing at 7040: 'statistics, and statistical reasoning, and to use appropriate technology to model and solve real-life problems. It provides an introduction to the science'

🔍 parse_program: starting at line 7040: 'statistics, and statistical reasoning, and to use appropriate technology to model and solve real-life problems. It provides an introduction to the science'
  ➜ Title candidate: 'statistics, and statistical reasoning, and to use appropriate technology to model and solve real-life problems. It provides an introduction to the science'
  ❌ Invalid title line: 'statistics, and statistical reasoning, and to use appropriate technology to model and solve real-life problems. It provides an introduction to the science'
  ➜ Parsing at 7041: 'of collecting, processing, analyzing, and interpreting data. Topics include creating and interpreting numerical summaries and visual displays of data;'

🔍 parse_program: starting at line 7041: 'of collecting, processing, analyzing, and interpreting data. Topics include creating and interpreting numerical summaries and visual displays of data;'
  ➜ Title candidate: 'of collecting, processing, analyzing, and interpreting data. Topics include creating and interpreting numerical summaries and visual displays of data;'
  ❌ Invalid title line: 'of collecting, processing, analyzing, and interpreting data. Topics include creating and interpreting numerical summaries and visual displays of data;'
  ➜ Parsing at 7042: 'regression lines and correlation; evaluating sampling methods and their effect on possible conclusions; designing observational studies, controlled'

🔍 parse_program: starting at line 7042: 'regression lines and correlation; evaluating sampling methods and their effect on possible conclusions; designing observational studies, controlled'
  ➜ Title candidate: 'regression lines and correlation; evaluating sampling methods and their effect on possible conclusions; designing observational studies, controlled'
  ❌ Invalid title line: 'regression lines and correlation; evaluating sampling methods and their effect on possible conclusions; designing observational studies, controlled'
  ➜ Parsing at 7043: 'experiments, and surveys; and determining probabilities using simulations, diagrams, and probability rules. College Algebra is a prerequisite for this'

🔍 parse_program: starting at line 7043: 'experiments, and surveys; and determining probabilities using simulations, diagrams, and probability rules. College Algebra is a prerequisite for this'
  ➜ Title candidate: 'experiments, and surveys; and determining probabilities using simulations, diagrams, and probability rules. College Algebra is a prerequisite for this'
  ❌ Invalid title line: 'experiments, and surveys; and determining probabilities using simulations, diagrams, and probability rules. College Algebra is a prerequisite for this'
  ➜ Parsing at 7044: 'course.'

🔍 parse_program: starting at line 7044: 'course.'
  ➜ Title candidate: 'course.'
  ❌ Invalid title line: 'course.'
  ➜ Parsing at 7045: 'TQC1 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'

🔍 parse_program: starting at line 7045: 'TQC1 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Title candidate: 'TQC1 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ❌ Invalid title line: 'TQC1 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Parsing at 7046: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'

🔍 parse_program: starting at line 7046: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Title candidate: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ❌ Invalid title line: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Parsing at 7047: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'

🔍 parse_program: starting at line 7047: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Title candidate: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ❌ Invalid title line: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Parsing at 7048: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'

🔍 parse_program: starting at line 7048: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Title candidate: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ❌ Invalid title line: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Parsing at 7049: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'

🔍 parse_program: starting at line 7049: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Title candidate: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ❌ Invalid title line: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Parsing at 7050: 'Probability and Statistics I is a prerequisite for this course.'

🔍 parse_program: starting at line 7050: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Title candidate: 'Probability and Statistics I is a prerequisite for this course.'
  ❌ Invalid title line: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Parsing at 7051: 'TQC2 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'

🔍 parse_program: starting at line 7051: 'TQC2 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Title candidate: 'TQC2 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ❌ Invalid title line: 'TQC2 - Probability and Statistics II - Probability and Statistics II covers the knowledge and skills necessary to apply random variables, sampling'
  ➜ Parsing at 7052: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'

🔍 parse_program: starting at line 7052: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Title candidate: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ❌ Invalid title line: 'distributions, estimation, and hypothesis testing, and to use appropriate technology to model and solve real-life problems. It provides tools for the'
  ➜ Parsing at 7053: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'

🔍 parse_program: starting at line 7053: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Title candidate: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ❌ Invalid title line: 'science of analyzing and interpreting data. Topics include discrete and continuous random variables, expected values, the Central Limit Theorem, the'
  ➜ Parsing at 7054: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'

🔍 parse_program: starting at line 7054: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Title candidate: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ❌ Invalid title line: 'identification of unusual samples, population parameters, point estimates, confidence intervals, influences on accuracy and precision, hypothesis'
  ➜ Parsing at 7055: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'

🔍 parse_program: starting at line 7055: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Title candidate: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ❌ Invalid title line: 'testing and statistical tests (z mean, z proportion, one sample t, paired t, independent t, ANOVA, chi-squared, and significance of correlation).'
  ➜ Parsing at 7056: 'Probability and Statistics I is a prerequisite for this course.'

🔍 parse_program: starting at line 7056: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Title candidate: 'Probability and Statistics I is a prerequisite for this course.'
  ❌ Invalid title line: 'Probability and Statistics I is a prerequisite for this course.'
  ➜ Parsing at 7057: 'TSC2 - General Chemistry I - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'

🔍 parse_program: starting at line 7057: 'TSC2 - General Chemistry I - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Title candidate: 'TSC2 - General Chemistry I - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ❌ Invalid title line: 'TSC2 - General Chemistry I - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Parsing at 7058: 'solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic table and chemical'

🔍 parse_program: starting at line 7058: 'solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic table and chemical'
  ➜ Title candidate: 'solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic table and chemical'
  ❌ Invalid title line: 'solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic table and chemical'
  ➜ Parsing at 7059: 'nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work focuses on using'

🔍 parse_program: starting at line 7059: 'nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work focuses on using'
  ➜ Title candidate: 'nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work focuses on using'
  ❌ Invalid title line: 'nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work focuses on using'
  ➜ Parsing at 7060: 'effective laboratory techniques to examine the physical and chemical characteristics of matter.'

🔍 parse_program: starting at line 7060: 'effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Title candidate: 'effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ❌ Invalid title line: 'effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Parsing at 7061: 'TSP1 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'

🔍 parse_program: starting at line 7061: 'TSP1 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Title candidate: 'TSP1 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ❌ Invalid title line: 'TSP1 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Parsing at 7062: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'

🔍 parse_program: starting at line 7062: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Title candidate: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ❌ Invalid title line: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Parsing at 7063: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'

🔍 parse_program: starting at line 7063: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Title candidate: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ❌ Invalid title line: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Parsing at 7064: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'

🔍 parse_program: starting at line 7064: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Title candidate: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ❌ Invalid title line: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Parsing at 7065: 'TSP2 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'

🔍 parse_program: starting at line 7065: 'TSP2 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Title candidate: 'TSP2 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ❌ Invalid title line: 'TSP2 - General Chemistry Laboratory I - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Parsing at 7066: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'

🔍 parse_program: starting at line 7066: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Title candidate: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ❌ Invalid title line: 'reasonable ability to solve chemical problems. Topics include measurement, elements and compounds, properties of matter and energy, the periodic'
  ➜ Parsing at 7067: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'

🔍 parse_program: starting at line 7067: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Title candidate: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ❌ Invalid title line: 'table and chemical nomenclature, quantities in chemistry, chemical reactions, the modern atomic theory, and the chemical bond. Laboratory work'
  ➜ Parsing at 7068: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'

🔍 parse_program: starting at line 7068: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Title candidate: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ❌ Invalid title line: 'focuses on using effective laboratory techniques to examine the physical and chemical characteristics of matter.'
  ➜ Parsing at 7069: 'TUC2 - General Chemistry II - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'

🔍 parse_program: starting at line 7069: 'TUC2 - General Chemistry II - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Title candidate: 'TUC2 - General Chemistry II - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ❌ Invalid title line: 'TUC2 - General Chemistry II - In this course students will attain a solid understanding of fundamental chemistry concepts and a reasonable ability to'
  ➜ Parsing at 7070: 'solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models, oxidation-reduction'

🔍 parse_program: starting at line 7070: 'solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models, oxidation-reduction'
  ➜ Title candidate: 'solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models, oxidation-reduction'
  ❌ Invalid title line: 'solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models, oxidation-reduction'
  ➜ Parsing at 7071: 'reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on using effective'

🔍 parse_program: starting at line 7071: 'reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on using effective'
  ➜ Title candidate: 'reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on using effective'
  ❌ Invalid title line: 'reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on using effective'
  ➜ Parsing at 7072: 'laboratory techniques to analyze chemical processes in real-world contexts.'

🔍 parse_program: starting at line 7072: 'laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Title candidate: 'laboratory techniques to analyze chemical processes in real-world contexts.'
  ❌ Invalid title line: 'laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Parsing at 7073: 'TUP1 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'

🔍 parse_program: starting at line 7073: 'TUP1 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Title candidate: 'TUP1 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ❌ Invalid title line: 'TUP1 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Parsing at 7074: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'

🔍 parse_program: starting at line 7074: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Title candidate: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ❌ Invalid title line: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Parsing at 7075: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'

🔍 parse_program: starting at line 7075: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Title candidate: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ❌ Invalid title line: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Parsing at 7076: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'

🔍 parse_program: starting at line 7076: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Title candidate: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ❌ Invalid title line: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Parsing at 7077: 'TUP2 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'

🔍 parse_program: starting at line 7077: 'TUP2 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Title candidate: 'TUP2 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ❌ Invalid title line: 'TUP2 - General Chemistry Laboratory II - In this course students will attain a solid understanding of fundamental chemistry concepts and a'
  ➜ Parsing at 7078: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'

🔍 parse_program: starting at line 7078: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Title candidate: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ❌ Invalid title line: 'reasonable ability to solve chemical problems. Topics include the gaseous state, the solid and liquid states, aqueous solutions, acid-base models,'
  ➜ Parsing at 7079: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'

🔍 parse_program: starting at line 7079: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Title candidate: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ❌ Invalid title line: 'oxidation-reduction reactions, reaction rates and equilibrium, nuclear chemistry, organic chemistry, and biochemistry. Laboratory work focuses on'
  ➜ Parsing at 7080: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'

🔍 parse_program: starting at line 7080: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Title candidate: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ❌ Invalid title line: 'using effective laboratory techniques to analyze chemical processes in real-world contexts.'
  ➜ Parsing at 7081: 'TVT2 - Governance, Finance, Law, and Leadership for Principals - This subdomain contains content in educational law, finance, and'

🔍 parse_program: starting at line 7081: 'TVT2 - Governance, Finance, Law, and Leadership for Principals - This subdomain contains content in educational law, finance, and'
  ➜ Title candidate: 'TVT2 - Governance, Finance, Law, and Leadership for Principals - This subdomain contains content in educational law, finance, and'
  ❌ Invalid title line: 'TVT2 - Governance, Finance, Law, and Leadership for Principals - This subdomain contains content in educational law, finance, and'
  ➜ Parsing at 7082: 'administration as well as a case study review of your site’s leadership practices.'

🔍 parse_program: starting at line 7082: 'administration as well as a case study review of your site’s leadership practices.'
  ➜ Title candidate: 'administration as well as a case study review of your site’s leadership practices.'
  ❌ Invalid title line: 'administration as well as a case study review of your site’s leadership practices.'
  ➜ Parsing at 7083: 'UFC1 - Managerial Accounting - This course focuses on identifying, gathering, and interpreting information that will be used for evaluating and'

🔍 parse_program: starting at line 7083: 'UFC1 - Managerial Accounting - This course focuses on identifying, gathering, and interpreting information that will be used for evaluating and'
  ➜ Title candidate: 'UFC1 - Managerial Accounting - This course focuses on identifying, gathering, and interpreting information that will be used for evaluating and'
  ❌ Invalid title line: 'UFC1 - Managerial Accounting - This course focuses on identifying, gathering, and interpreting information that will be used for evaluating and'
  ➜ Parsing at 7084: 'managing the performance of a business. Students will also study cost measurement for producing goods and services and how to analyze and'

🔍 parse_program: starting at line 7084: 'managing the performance of a business. Students will also study cost measurement for producing goods and services and how to analyze and'
  ➜ Title candidate: 'managing the performance of a business. Students will also study cost measurement for producing goods and services and how to analyze and'
  ❌ Invalid title line: 'managing the performance of a business. Students will also study cost measurement for producing goods and services and how to analyze and'
  ➜ Parsing at 7085: 'control these costs.'

🔍 parse_program: starting at line 7085: 'control these costs.'
  ➜ Title candidate: 'control these costs.'
  ❌ Invalid title line: 'control these costs.'
  ➜ Parsing at 7086: 'UQT1 - Organic Chemistry - This course focuses on the study of compounds that contain carbon, much of which is learning how to organize and'

🔍 parse_program: starting at line 7086: 'UQT1 - Organic Chemistry - This course focuses on the study of compounds that contain carbon, much of which is learning how to organize and'
  ➜ Title candidate: 'UQT1 - Organic Chemistry - This course focuses on the study of compounds that contain carbon, much of which is learning how to organize and'
  ❌ Invalid title line: 'UQT1 - Organic Chemistry - This course focuses on the study of compounds that contain carbon, much of which is learning how to organize and'
  ➜ Parsing at 7087: 'group these compounds based on common bonds found within them in order to predict their structure, behavior, and reactivity.'

🔍 parse_program: starting at line 7087: 'group these compounds based on common bonds found within them in order to predict their structure, behavior, and reactivity.'
  ➜ Title candidate: 'group these compounds based on common bonds found within them in order to predict their structure, behavior, and reactivity.'
  ❌ Invalid title line: 'group these compounds based on common bonds found within them in order to predict their structure, behavior, and reactivity.'
  ➜ Parsing at 7088: 'VLT2 - Security Policies and Standards - Best Practices - This course focuses on the practices of planning and implementing organization-wide'

🔍 parse_program: starting at line 7088: 'VLT2 - Security Policies and Standards - Best Practices - This course focuses on the practices of planning and implementing organization-wide'
  ➜ Title candidate: 'VLT2 - Security Policies and Standards - Best Practices - This course focuses on the practices of planning and implementing organization-wide'
  ❌ Invalid title line: 'VLT2 - Security Policies and Standards - Best Practices - This course focuses on the practices of planning and implementing organization-wide'
  ➜ Parsing at 7089: 'security and assurance initiatives as well as auditing assurance processes.'

🔍 parse_program: starting at line 7089: 'security and assurance initiatives as well as auditing assurance processes.'
  ➜ Title candidate: 'security and assurance initiatives as well as auditing assurance processes.'
  ❌ Invalid title line: 'security and assurance initiatives as well as auditing assurance processes.'
  ➜ Parsing at 7090: 'VYC1 - Principles of Accounting - Principles of Accounting focuses on ways in which accounting principles are used in business operations.'

🔍 parse_program: starting at line 7090: 'VYC1 - Principles of Accounting - Principles of Accounting focuses on ways in which accounting principles are used in business operations.'
  ➜ Title candidate: 'VYC1 - Principles of Accounting - Principles of Accounting focuses on ways in which accounting principles are used in business operations.'
  ❌ Invalid title line: 'VYC1 - Principles of Accounting - Principles of Accounting focuses on ways in which accounting principles are used in business operations.'
  ➜ Parsing at 7091: 'Students will learn about the basics of accounting, including how to use Generally Accepted Accounting Principles (GAAP), ledgers, and journals.'

🔍 parse_program: starting at line 7091: 'Students will learn about the basics of accounting, including how to use Generally Accepted Accounting Principles (GAAP), ledgers, and journals.'
  ➜ Title candidate: 'Students will learn about the basics of accounting, including how to use Generally Accepted Accounting Principles (GAAP), ledgers, and journals.'
  ❌ Invalid title line: 'Students will learn about the basics of accounting, including how to use Generally Accepted Accounting Principles (GAAP), ledgers, and journals.'
  ➜ Parsing at 7092: 'Students will also be introduced to the steps of the accounting cycle, concepts of assets and liabilities, and general information about accounting'

🔍 parse_program: starting at line 7092: 'Students will also be introduced to the steps of the accounting cycle, concepts of assets and liabilities, and general information about accounting'
  ➜ Title candidate: 'Students will also be introduced to the steps of the accounting cycle, concepts of assets and liabilities, and general information about accounting'
  ❌ Invalid title line: 'Students will also be introduced to the steps of the accounting cycle, concepts of assets and liabilities, and general information about accounting'
  ➜ Parsing at 7093: 'information systems. This course also presents bank reconciliation methods, balance sheets, and business ethics.'

🔍 parse_program: starting at line 7093: 'information systems. This course also presents bank reconciliation methods, balance sheets, and business ethics.'
  ➜ Title candidate: 'information systems. This course also presents bank reconciliation methods, balance sheets, and business ethics.'
  ❌ Invalid title line: 'information systems. This course also presents bank reconciliation methods, balance sheets, and business ethics.'
  ➜ Parsing at 7094: 'VZT1 - Marketing Applications - Marketing Applications allows students to apply their knowledge of core marketing principles by creating a'

🔍 parse_program: starting at line 7094: 'VZT1 - Marketing Applications - Marketing Applications allows students to apply their knowledge of core marketing principles by creating a'
  ➜ Title candidate: 'VZT1 - Marketing Applications - Marketing Applications allows students to apply their knowledge of core marketing principles by creating a'
  ❌ Invalid title line: 'VZT1 - Marketing Applications - Marketing Applications allows students to apply their knowledge of core marketing principles by creating a'
  ➜ Parsing at 7095: 'comprehensive marketing plan. Their plan will apply their knowledge of the marketing planning process, market analysis, and the marketing mix'

🔍 parse_program: starting at line 7095: 'comprehensive marketing plan. Their plan will apply their knowledge of the marketing planning process, market analysis, and the marketing mix'
  ➜ Title candidate: 'comprehensive marketing plan. Their plan will apply their knowledge of the marketing planning process, market analysis, and the marketing mix'
  ❌ Invalid title line: 'comprehensive marketing plan. Their plan will apply their knowledge of the marketing planning process, market analysis, and the marketing mix'
  ➜ Parsing at 7096: '(product, place, promotion, and price).'

🔍 parse_program: starting at line 7096: '(product, place, promotion, and price).'
  ➜ Title candidate: '(product, place, promotion, and price).'
  ❌ Invalid title line: '(product, place, promotion, and price).'
  ➜ Parsing at 7097: '© Western Governors University 7/19/17 176'

🔍 parse_program: starting at line 7097: '© Western Governors University 7/19/17 176'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'Course Mentor Directory'
  ➜ Skipping stray line: 'General Education'
  ➜ Skipping stray line: 'Adams, William; M.A., Savanah College of Art and Design'
  ➜ Skipping stray line: 'Aguirre, Jennifer; M.S., Walden University'
  ➜ Skipping stray line: 'Akens, Jonne; Ph. D., Texas A&M University'
  ➜ Skipping stray line: 'Alexander, Ledora; Ed.S., Walden University'
  ➜ Skipping stray line: 'Ashe, James; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Barnes, Lauri; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Baty, Amanda; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Benson, Bryan; Ph.D., Boston College'
  ➜ Skipping stray line: 'Bilbrey, Joshua; Ph.D., Texas State University'
  ➜ Skipping stray line: 'Borden, Anne; Ph.D., Emory University'
  ➜ Skipping stray line: 'Brewer, Craig: Ph.D., University of Notre Dame'
  ➜ Skipping stray line: 'Brown, Bonnie; Ph.D., Stephen F. Austin State University'
  ➜ Skipping stray line: 'Browning, Ellen; Ph.D., University of Texas, Arlington'
  ➜ Skipping stray line: 'Buchanan, Tenielle; Ed.D., Lipscomb University'
  ➜ Skipping stray line: 'Byrnes, Sean; Ph.D., Emory University'
  ➜ Skipping stray line: 'Carmona, Karla; M.S., Western Governors University'
  ➜ Skipping stray line: 'Castaneda, Gilivaldo; M.Ed., University of Texas at San Antonio'
  ➜ Skipping stray line: 'Chaves Ulloa, Ramsa; Ph.D., Dartmouth College'
  ➜ Skipping stray line: 'Chittick, Sharla; Ph.D., University of Stirling'
  ➜ Skipping stray line: 'Condit, Lorna; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Cowan, Christy; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Crawford, Nathan; Ph.D., University of Tennessee-Knoxville'
  ➜ Skipping stray line: 'Crooks, Kathleen; Ph.D., University of Akron'
  ➜ Skipping stray line: 'Cross, Cameron; M.S., Kaplan University'
  ➜ Skipping stray line: 'Cureton, Sara; M.A., Gonzaga Univeristy'
  ➜ Skipping stray line: 'Cutler, Ned; Ph.D., Duke University'
  ➜ Skipping stray line: 'Dodge, Joshua; M.A., University of Central Florida'
  ➜ Skipping stray line: 'Dorre, Gina; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Douglas, Katherine; M.A., University of California, San Diego'
  ➜ Skipping stray line: 'Duff, Kandi; Ed.D., Idaho State University'
  ➜ Skipping stray line: 'Dungar, Michael; MA, Boston College'
  ➜ Skipping stray line: 'Edmunds, Jeffrey; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Evans, Robin; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Evenson Newhouse, Ranae; Ph.D., Vanderbilt University'
  ➜ Skipping stray line: 'Faucett, Jessica; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Fehnel, Bradley; M.S., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Fellow, Jill; M.S., Brigham Young University'
  ➜ Skipping stray line: 'Franco, Heidi; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Frusciante, Denise; Ph.D., University of Miami'
  ➜ Skipping stray line: 'Galindez, Dahlia; MA, Western Governors University'
  ➜ Skipping stray line: 'Gangaram, Jitendra; Ph.D., North Central University'
  ➜ Skipping stray line: 'Garrett, Janette; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Goodwin, Rachel; Ph.D., University of Texas'
  ➜ Skipping stray line: 'Gordon, Kelley; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Gravitte, Kristen; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Gradzielewski, Andrew; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Halula, Stephen; Ph.D., Marquette University'
  ➜ Skipping stray line: 'Harris, Steven; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Hartwick, Andromeda; Ph.D., University of Michigan'
  ➜ Skipping stray line: 'Hayne, Victoria; Ph.D., University of California - Los Angeles'
  ➜ Skipping stray line: 'Hernandez, Ali; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Hillyer, Aaron; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Horne, Lisa; M.A., Brigham Young University'
  ➜ Skipping stray line: 'Hurley, Norman; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Jensen, Taylor; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Johnson, Stephanie; MBA, Lindenwood University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 177'
  ➜ Skipping stray line: 'Jones, Lee; Ph.D., Clark Atlanta University'
  ➜ Skipping stray line: 'Kelley, Matthew; Ph.D., University of Nevada-Las Vegas'
  ➜ Skipping stray line: 'Kelly, Lynn; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Knieps, Linda; Ph.D., Vanderbilt University'
  ➜ Skipping stray line: 'Knous, Helen; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Landry, Stan; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Latham, Kary; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Lauren, Jennifer; Ph.D., Duquesne University'
  ➜ Skipping stray line: 'Leep, Matthew; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Lettau, Lisa; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Little, David; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Lukin, Kara; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Main, Daniel; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Mammen, John; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Mantooth, Stacy; Ph. D., University of Nevada – Las Vegas'
  ➜ Skipping stray line: 'Martin, Jonathan; M.A., West Virginia University'
  ➜ Skipping stray line: 'Mays, Ashley; Ph.D., University of North Carolina at Chapel Hill'
  ➜ Skipping stray line: 'McCune, Timothy; Ph.D., Youngstown State University'
  ➜ Skipping stray line: 'McWatters, Mason; Ph.D., University of Texas at Austin'
  ➜ Skipping stray line: 'Metoki, Kiyoko; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Meyer, Nicholas; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Miller, Don; Ph.D., Morehouse School of Medicine'
  ➜ Skipping stray line: 'Miller, Kathleen; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Moody, Vivian; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Mosgrove, Sharon; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Moss, Meg; Ph.D., University of Tennessee-Knoxville'
  ➜ Skipping stray line: 'Mzoughi, Taha; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Nelson, Angela; Ph.D., Cornell University'
  ➜ Skipping stray line: 'Nicley, Erinn; M.S., Florida State University'
  ➜ Skipping stray line: 'Norton, Cindy; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Olson, Nels; Ph.D., Michigan State University'
  ➜ Skipping stray line: 'Oulette, David; Ph.D., Virginia Commonwealth University'
  ➜ Skipping stray line: 'Palmer, Michael; M.F.A., University of Utah'
  ➜ Skipping stray line: 'Pankowski, Peg; Ed.D., Duquesne University'
  ➜ Skipping stray line: 'Parrish, Anca; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Parton, Sabrena; Ph.D., University of Southern Mississippi'
  ➜ Skipping stray line: 'Parvin, Kathleen; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Peppers, Shelitha; Ed.D., Maryville University'
  ➜ Skipping stray line: 'Perkins, Heidi; M.S., Excelsior College'
  ➜ Skipping stray line: 'Phillips, Dedra; M.A., Colorado Technical University'
  ➜ Skipping stray line: 'Potter, Christine; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Quintela, Melissa; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Radosavljevic, Alexander; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Redden, Cameron; MAT, Baldwin Wallace University'
  ➜ Skipping stray line: 'Redkey, Elizabeth; Ph.D., University at Albany, State University of New York'
  ➜ Skipping stray line: 'Remington, Theodore; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Rhodes, Kristofer; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Robinson, Ami; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Robinson, Jeffery; Ph.D., Drew University'
  ➜ Skipping stray line: 'Rosenblatt, Heather; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Rossi, Cynthia; Ph.D., University of Maryland'
  ➜ Skipping stray line: 'Saddler, Derrick; Ph.D., University of South Florida'
  ➜ Skipping stray line: 'Sanchez, Melvin; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Scheg, Abigail; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Scheib, Douglas; Ph.D., University of Miami'
  ➜ Skipping stray line: 'Scotece, Shannon; Ph.D., State University of New York - Albany'
  ➜ Skipping stray line: 'Shahi, Kimberley; Ph.D., University of Texas at Arlington'
  ➜ Skipping stray line: 'Sharpe, Robert; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Shimotsu-Dariol, Stephanie; Ph.D., West Virginia University'
  ➜ Skipping stray line: 'Simeon, Patricia; Ed.D., Grambling State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 178'
  ➜ Skipping stray line: 'Simmons, Nathaniel; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Smith, Tommie; MBA, Middle Tennessee State University'
  ➜ Skipping stray line: 'Springfield, Derriell; Ed.D., East Tennessee State University'
  ➜ Skipping stray line: 'St Martin, Ashley; M.S., University of Vermont'
  ➜ Skipping stray line: 'Stambaugh, Nathaniel; Ph.D., Brandeis University'
  ➜ Skipping stray line: 'Starr, Neil; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Timmer, Kristin; Ph.D., University of Tennessee Health Science Center'
  ➜ Skipping stray line: 'Tolin Schultz, Alexandra; Ph.D., Stony Brook University'
  ➜ Skipping stray line: 'Tucker, Diana; Ph.D., Southern Illinois University Carbondale'
  ➜ Skipping stray line: 'Tweedy, Joanna; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Verber, Jason; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Vida, Anna; M.A., Arizona State University'
  ➜ Skipping stray line: 'Walker, Hope; M.A., The American University'
  ➜ Skipping stray line: 'Weaver, Matthew; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Webb, James; M.A., Pacific University'
  ➜ Skipping stray line: 'Wellinghoff, Lisa; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Westmoreland, Brandi; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Whitson-Whennen, Tonya; M.M., University of Utah'
  ➜ Skipping stray line: 'Woolridge, Mary; Ph.D., University of Central Florida'
  ➜ Skipping stray line: 'Young, Michael; Ph.D., University of Missouri at Saint Louis'
  ➜ Skipping stray line: 'Zasadny, Jill; Ph.D., Kansas University'
  ➜ Skipping stray line: 'Teachers College'
  ➜ Skipping stray line: 'Aafif, Amal; Ph.D., Drexel University'
  ➜ Skipping stray line: 'Affleck, Alisa; M.A., Western Governors University'
  ➜ Skipping stray line: 'Allen, Elizabeth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Aranda, Christina; M.A., University of Utah'
  ➜ Skipping stray line: 'Aufderhaar, Carolyn; Ed.D., University of Cincinnati'
  ➜ Skipping stray line: 'Baxter, Marissa; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Belchik-Moser, Sara; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Betts, Anastasia; Ph.D., Regent University'
  ➜ Skipping stray line: 'Blanks, Dorothy; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Boen, Laurie; Ph.D., University of Arkansas'
  ➜ Skipping stray line: 'Boyd-Bradwell, Natasha; Ph.D., Capella University'
  ➜ Skipping stray line: 'Branan, Daniel; Ph.D., University of Denver'
  ➜ Skipping stray line: 'Branch, Leah; Ed.D., Bethel University'
  ➜ Skipping stray line: 'Brogan, Lynn; Ed.D., Columbia University'
  ➜ Skipping stray line: 'Brooks, Marlaina; Ed.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Calero, Lisa; Ph.D., Capella University'
  ➜ Skipping stray line: 'Carey, Kimberly; Ph.D., Old Dominion University'
  ➜ Skipping stray line: 'Cartwright, Nancy; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'Cohen, Kimberley; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Constanza, Michele; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Covey, Nicole; Ed.D., University of Memphis'
  ➜ Skipping stray line: 'Douglas, Deanna; Ph.D., Wichita State University'
  ➜ Skipping stray line: 'Dove, Teresa; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Dukes, Debra; Ed.D., University of Georgia'
  ➜ Skipping stray line: 'Durakiewicz, Anna; M.S., University of Marie Curie'
  ➜ Skipping stray line: 'Eisenhour, Melanie; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Feng, Suiping; Ph.D., City University of New York'
  ➜ Skipping stray line: 'Fillpot, Elsie; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Flavin, Kathryn; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Flores, Alberto; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Francis, David; M.A., Western Governors University'
  ➜ Skipping stray line: 'Giddens, Evelyn; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gillman, Brenna; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Gray-Dowdy, Audra; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Hall, Robert; Ph.D., Capella University'
  ➜ Skipping stray line: 'Halverson, Colleen; Ph.D., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Harbin, Lesley; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 179'
  ➜ Skipping stray line: 'Hardin, Bridgette; Ed.D., Texas A&M University-Corpus Christi'
  ➜ Skipping stray line: 'Hedman, Shawn; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Henry, Joanna; M.E., Lamar University'
  ➜ Skipping stray line: 'Hernandez, Julie; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Hiebel, Adam; Ed.D., Ohio University'
  ➜ Skipping stray line: 'Hudon-Miller, Sarah; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Hughes, Amy; Ed.D., University of Montana'
  ➜ Skipping stray line: 'Hutson, Tommye; Ed.D., Baylor University'
  ➜ Skipping stray line: 'Igbinoba-Cummings, Monique; Ph.D., Lynn University'
  ➜ Skipping stray line: 'Izumi, Alisa; Ed.D., University of Massachusetts'
  ➜ Skipping stray line: 'Jacobs, Patricia; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Janitzki, Dean; M.A., University of Toledo'
  ➜ Skipping stray line: 'Johnson, Sherri; Ph.D., Capella University'
  ➜ Skipping stray line: 'Jovic, Marko; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Kain, Meri; Ed.D., University of Missouri'
  ➜ Skipping stray line: 'Kelly, Gretchen; Ed.D., Walden University'
  ➜ Skipping stray line: 'Leinbach, William; Ed.D., Oregon State University'
  ➜ Skipping stray line: 'Lindemann, Steven; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Linkenhoker, Dina; Ed.D., Liberty University'
  ➜ Skipping stray line: 'Lipscomb, Pauline; Ed.D., University of the Cumberlands'
  ➜ Skipping stray line: 'Luster, Sandricia; Ed.S., Argosy University'
  ➜ Skipping stray line: 'McCarver, Patricia; Ph.D., California Institute of Integral Studies'
  ➜ Skipping stray line: 'McDaniel, Maryann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'McGrath Hovland, Michelle; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Mendes, John; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Miller, Esther; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Mills, Ginger; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Moore, Tontaleya; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Morgan, Matthew; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Mour, Jennifer; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Murray, Mary; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Obianyo, Obiamaka; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Odom, M. Katherine; Ph.D., University of South Alabama'
  ➜ Skipping stray line: 'O’Malley, Maureen; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Pack, Mamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Parry, Kelly; Ph.D., University of North Texas'
  ➜ Skipping stray line: 'Purnell, Courtney; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Quinn, Lori; M.A.Ed., Prairie View A&M University'
  ➜ Skipping stray line: 'Rahsaz, Jacqueline; M.A., University of California San Diego'
  ➜ Skipping stray line: 'Randonis, Jennifer; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Rawson, Robert; Ph.D., University of Texas Southwestern'
  ➜ Skipping stray line: 'Richen, Damara; Ed.D., Fielding Graduate University'
  ➜ Skipping stray line: 'Robles, Veronica; Ed.D., Arizona State University'
  ➜ Skipping stray line: 'Rogers, Carmelle; Ph.D., Kansas State University'
  ➜ Skipping stray line: 'Russell-Fry, Nancy; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Scales, Rebecca; M.A., Western Governors University'
  ➜ Skipping stray line: 'Schmidt, Stan; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Sepetys, Peggy; Ed.D., University of Michigan'
  ➜ Skipping stray line: 'Shrader, Vincent; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Silver, Jennifer; Ph.D., New York University'
  ➜ Skipping stray line: 'Sims, Rachel; Ed.D., Walden University'
  ➜ Skipping stray line: 'Smith, Janeal; Ph.D., Walden University'
  ➜ Skipping stray line: 'Spencer, Kristin; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Story, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Swenson, Karl; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Thompson, Julie; Ph.D., University of Rochester'
  ➜ Skipping stray line: 'Traub-Metlay, Suzanne; Ph.D., University of Pittsburg'
  ➜ Skipping stray line: 'Tresnak, Robyn; Ph.D., Walden University'
  ➜ Skipping stray line: 'Turner, Carmen; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Vickers, Paul; Ed.D., Stephen F. Austin State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 180'
  ➜ Skipping stray line: 'Walter-Sullivan, Earnestyne; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'Weinstein, Gideon; Ph.D., Indiana University Bloomington'
  ➜ Skipping stray line: 'Whitmire, Jane; Ph.D., University of Montana'
  ➜ Skipping stray line: 'Willey-Rendon, Ruby; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Williams, Lacey; Ed.D., Union Institute and University'
  ➜ Skipping stray line: 'Wisnosky, Marc; Ph.D., University of Pittsburgh'
  ➜ Skipping stray line: 'Yanusheva, Lidiya; Ed.D., Walden University'
  ➜ Skipping stray line: 'Yatherajam, Gayatri; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Zartman, Krista; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Zimmerli, Mandy; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'College of Business'
  ➜ Skipping stray line: 'Abubakari, Nina; J.D., Wayne State University'
  ➜ Skipping stray line: 'Adler, Kathleen; Ph.D., Southern Methodist University'
  ➜ Skipping stray line: 'Alafita, Theresa; Ph.D., George Washington University'
  ➜ Skipping stray line: 'Arenz, Russell; Ph.D., Colorado Technical University'
  ➜ Skipping stray line: 'Argiento, Steven; J.D., Pace University'
  ➜ Skipping stray line: 'Austin, Judy; MBA, Western Governors University'
  ➜ Skipping stray line: 'Baragoshi, Behroz; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Barton, Robert; Ed.S., Utah State University'
  ➜ Skipping stray line: 'Black, Hilda; Ph.D., Louisiana Tech University'
  ➜ Skipping stray line: 'Borch, Casey; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Boysen-Rotelli, Sheila; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Brownstein, Steven; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Carson, Pook; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Cassell, Kenneth; MBA, San Jose State University'
  ➜ Skipping stray line: 'Cherry, Patricia; Ph.D., Capella University'
  ➜ Skipping stray line: 'Clarke, Jeffrey; Ph.D., University of California-Los Angeles'
  ➜ Skipping stray line: 'Connor, Martin; J.D., University of North Dakota'
  ➜ Skipping stray line: 'Davis, Lorretta; Ph.D., Capella University'
  ➜ Skipping stray line: 'Davis, Mary; Ed.D., Central Michigan University'
  ➜ Skipping stray line: 'Doctorman, Lindsey; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Doren, Andrew; D.M., University of Maryland'
  ➜ Skipping stray line: 'Dula, Kimberly; Ph.D., Mercer University'
  ➜ Skipping stray line: 'Duran, Anthony; DBA, Grand Canyon University'
  ➜ Skipping stray line: 'Ennis, Erica; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Etter, Edwin; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Feehery, George; DBA, Nova Southeastern University'
  ➜ Skipping stray line: 'Fisher, Paul; Ph.D., Oregon State University'
  ➜ Skipping stray line: 'Gallo, Merry; DBA, Argosy University'
  ➜ Skipping stray line: 'Garland, Jennifer; DBA, Keiser University'
  ➜ Skipping stray line: 'Geddes, Bruce; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gilyot, Bianca; MBA, Northcentral University'
  ➜ Skipping stray line: 'Giscombe, Hilbert; DBA, Argosy University'
  ➜ Skipping stray line: 'Gough, Gregory; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Green, Maurice; Ph.D., University at Albany – State University of New York'
  ➜ Skipping stray line: 'Gunn, Linda; Ph.D., Union Institute and University'
  ➜ Skipping stray line: 'Havins, Merwin; Ed.D., Northern Arizona University'
  ➜ Skipping stray line: 'Heinzman, Joseph; DM, Colorado Technical University'
  ➜ Skipping stray line: 'Hon, Charles; Ph.D., Capella University'
  ➜ Skipping stray line: 'Hudson, Brandi; J.D., Regent University'
  ➜ Skipping stray line: 'Iannucci, Brian; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Imboden, Paul; DBA., Northcentral University'
  ➜ Skipping stray line: 'Jividen, Jim; J.D., Ohio Northern University'
  ➜ Skipping stray line: 'Jones, Alan; MBA, Dartmouth College'
  ➜ Skipping stray line: 'Justice, Jeanne; DBA, Walden University'
  ➜ Skipping stray line: 'Kale, Mrinalini; Ph.D., Capella University'
  ➜ Skipping stray line: 'Kenny, Timothy; M.S., Regis University'
  ➜ Skipping stray line: 'Kowalski, Christine; Ed.D., National Louis University'
  ➜ Skipping stray line: 'Kushniroff, Melinda; Ed.D., Liberty University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 181'
  ➜ Skipping stray line: 'La Hay, Ann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Lagroue, Harold; Ph.D., Louisiana State University'
  ➜ Skipping stray line: 'Lamer, Maryann; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Langdon, Debra; MBA, Denver University'
  ➜ Skipping stray line: 'Lutter-Cooper, Victoria; Ph.D., Capella University'
  ➜ Skipping stray line: 'Marshall, Mario; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'McClesky, Jamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'McNulty, Peggy; Ph.D., University of Colorado-Colorado Springs'
  ➜ Skipping stray line: 'Melton, Rebecca; Ph.D., Chicago School of Professional Psychology'
  ➜ Skipping stray line: 'Mills, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Moore, Detria; J.D., Liberty University'
  ➜ Skipping stray line: 'Neely, Cecil; MBA, University of North Carolina at Greensboro'
  ➜ Skipping stray line: 'Nelms, Linda; Ph.D., Capella University'
  ➜ Skipping stray line: 'Nelson, Camille; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'O’Brien, Joseph; Ed.D., George Washington University'
  ➜ Skipping stray line: 'Openshaw, Matthew; Ph.D., University of Texas at Dallas'
  ➜ Skipping stray line: 'Parish, Beth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Patterson, Julie; Ph.D., University of Illinois at Urbana-Champaign'
  ➜ Skipping stray line: 'Pawarski, Richard; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Phillips, Patti; J.D., Stetson University'
  ➜ Skipping stray line: 'Pratt, Christopher; DHA, University of Phoenix'
  ➜ Skipping stray line: 'Raimo, Steve; DSL, Regent University'
  ➜ Skipping stray line: 'Richardson, Shay; DBA, Walden University'
  ➜ Skipping stray line: 'Roberts, Tracia; M.S., University of Phoenix'
  ➜ Skipping stray line: 'Roberts, Wade; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Rogers, Katie; MBA, University of Utah'
  ➜ Skipping stray line: 'Sawant, Gauri; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Shah, Rob; MBA, DeVry University'
  ➜ Skipping stray line: 'Shepherd, Tracie; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Skinner, Susan; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Snipes, Dawna; J.D., Western Michigan University'
  ➜ Skipping stray line: 'Souder, Michele; MBA, University of Dayton'
  ➜ Skipping stray line: 'Spicer, Ronald; Ph.D., Capella University'
  ➜ Skipping stray line: 'Stewart, Michelle; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Strickland, Cynthia; Ph.D., Touro University International'
  ➜ Skipping stray line: 'Swarthout, Nanette; MBA, Fontbonne University'
  ➜ Skipping stray line: 'Tapp, Timothy; MHA, Washington University'
  ➜ Skipping stray line: 'Thomas, Melanie; J.D., University of North Carolina'
  ➜ Skipping stray line: 'Venkateswar, Sankaran; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Wachter, Eddie; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Wade, Keith; MBA, University of Detroit'
  ➜ Skipping stray line: 'Walker, Natalie; DBA, Keiser University'
  ➜ Skipping stray line: 'Wang, Xiaofei; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Williams, Pegeen; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Williams, Rian; MPA, University of Utah'
  ➜ Skipping stray line: 'Wood, Carrie; M.S., Strayer University'
  ➜ Skipping stray line: 'College of Information Technology'
  ➜ Skipping stray line: 'Al-Husaam, Abdul; Ph.D., Capella University'
  ➜ Skipping stray line: 'Alberici, Mary; Ph.D., University of Missouri-St. Louis'
  ➜ Skipping stray line: 'Allen, Candice; M.A., Capella University'
  ➜ Skipping stray line: 'Antonucci, Amy; M.S., University of Delaware'
  ➜ Skipping stray line: 'Banerjee, Pubali; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'Beverley, Charles; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Blanson, Constance; Ph.D., Capella University'
  ➜ Skipping stray line: 'Bojonny, John; M.S., Marywood University'
  ➜ Skipping stray line: 'Borsum, Pamela; MBA, Western Governors University'
  ➜ Skipping stray line: 'Campbell, Wendy; DBA, Northcentral University'
  ➜ Skipping stray line: 'Carter, Betty; M.S., Troy University'
  ➜ Skipping stray line: 'Cobbs, Dana; M.S., College of William and Mary'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 182'
  ➜ Skipping stray line: 'Cook, Henry; M.S., Clark Atlanta University'
  ➜ Skipping stray line: 'Crawford, Demetria; M.S., Boston University'
  ➜ Skipping stray line: 'Dupree, Yolanda; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Farmer, Jaynee; M.A., University of Arkansas at Little Rock'
  ➜ Skipping stray line: 'Ferdinand, Jeff; M.S., Trident University International'
  ➜ Skipping stray line: 'Gardner, Diana; MBA, Western Governors University'
  ➜ Skipping stray line: 'Garza, Brian; M.S., Western Governors University'
  ➜ Skipping stray line: 'Goodwin, Orenthio; Ph.D., Capella University'
  ➜ Skipping stray line: 'Heiner, Jenny; M.S., Capitol College'
  ➜ Skipping stray line: 'Huff, David; Ph.D., Wayne State University'
  ➜ Skipping stray line: 'Jensen, Bryan; M.S., Bellvue University'
  ➜ Skipping stray line: 'Kercher, Paul; M.S., Missouri University of Science and Technology'
  ➜ Skipping stray line: 'LaMolinare, Deana; M.S., Duquesne University'
  ➜ Skipping stray line: 'Lang, Cythia; MSCHe, University of Maryland'
  ➜ Skipping stray line: 'Lavieri, Edward; DCS, Colorado Technical University'
  ➜ Skipping stray line: 'Light, Gerri; M.S., Walden University'
  ➜ Skipping stray line: 'Lively, Charles; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'McFarlane, Michele; M.S., DeVry University'
  ➜ Skipping stray line: 'McLaughlin, Mike; M.S., University of Maine'
  ➜ Skipping stray line: 'Mendell, Ronald; M.S., Capitol College'
  ➜ Skipping stray line: 'Milham, Thomas; MNCM, DeVry University'
  ➜ Skipping stray line: 'Moore, Ronald; M.A., Troy University'
  ➜ Skipping stray line: 'Morrill, Ralph; Ph.D., North Central University'
  ➜ Skipping stray line: 'Ntinglet-Davis, Emelda; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Ozmer, Connie; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Paddock, Charles; Ph.D., University of Houston'
  ➜ Skipping stray line: 'Peterson, Michael; Ph.D., Capella University'
  ➜ Skipping stray line: 'Pinaire, Ken; MBA, University of Texas at Dallas'
  ➜ Skipping stray line: 'Rawlinson, David; J.D., South Texas College of Law'
  ➜ Skipping stray line: 'Schaefer, Brett; MBA, DeVry University'
  ➜ Skipping stray line: 'Shenk, Maria; M.S., City University of Seattle'
  ➜ Skipping stray line: 'Scutro, Rebecca; M.S., Saint Joseph’s University'
  ➜ Skipping stray line: 'Sewell, William; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Sher-DeCusatis, Carolyn; M.A., State University of New York at Stony Brook'
  ➜ Skipping stray line: 'Shields, Jessica; MFA, Savannah College of Art and Design'
  ➜ Skipping stray line: 'Sistelos, Antonio; Ph.D., Indiana State University'
  ➜ Skipping stray line: 'Stromberg, Scott; M.S., Nova Southeastern University'
  ➜ Skipping stray line: 'Swanson, Tom; Ph.D., Capella University'
  ➜ Skipping stray line: 'Taylor, Julinda; M.S., Wichita State University'
  ➜ Skipping stray line: 'Travis, Susan; M.A., University of Phoenix'
  ➜ Skipping stray line: 'College of Health Professions'
  ➜ Skipping stray line: 'Abdur-Rahman, Veronica; Ph.D., Texas Woman’s University'
  ➜ Skipping stray line: 'Abee, Debra; M.S., University of North Carolina Greensboro'
  ➜ Skipping stray line: 'Abraham, Gail; MSN/ED, University of Phoenix'
  ➜ Skipping stray line: 'Adams, Lora; M.S., Michigan State University'
  ➜ Skipping stray line: 'Adkins, Dee; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Allen, Juanita; DNP, University of Utah'
  ➜ Skipping stray line: 'Ashby, Shelley; DNP, University of Southern Indiana'
  ➜ Skipping stray line: 'Austgen, Donna; M.S., University of Indianapolis'
  ➜ Skipping stray line: 'Barber, Kendar; M.S., Indiana University'
  ➜ Skipping stray line: 'Battle, Linda; DNP, Regis College'
  ➜ Skipping stray line: 'Benoit, Heidi; M.S., Western Governors University'
  ➜ Skipping stray line: 'Benson, Johnett; DNP, Kent State University'
  ➜ Skipping stray line: 'Bergfeld, Marcia; M.S., Lourdes College'
  ➜ Skipping stray line: 'Berndt, Janeen; DNP, Valparaiso University'
  ➜ Skipping stray line: 'Blaine, Stephanie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Cain, Lyn; Ph.D., Grand Canyon University'
  ➜ Skipping stray line: 'Carney, Mary; DNP, Touro University – Nevada'
  ➜ Skipping stray line: 'Chau-Nguyen, Thao; MPH, Tulane University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 183'
  ➜ Skipping stray line: 'Cleveland, Melissa; DNP, Rocky Mountain University'
  ➜ Skipping stray line: 'Cloonan, Kelly; DNP, Case Western Reserve'
  ➜ Skipping stray line: 'Dahdal, Kimberly; M.S., Western Governors University'
  ➜ Skipping stray line: 'Dantzler, Barbara; Ph.D., Trident University'
  ➜ Skipping stray line: 'Diaz, Constance; Ph.D., University of Northern Colorado'
  ➜ Skipping stray line: 'Diaz, Lorna; DNP, Western University of Health Sciences'
  ➜ Skipping stray line: 'Dorin, Michelle; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Dush, Curtis; M.S., East Tennessee State University'
  ➜ Skipping stray line: 'Elmer, Justine; M.S., Kaplan University'
  ➜ Skipping stray line: 'Englert, Mary; DNP, University of North Florida'
  ➜ Skipping stray line: 'Feather, Rebecca; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Frankie, Sandra; M.S., Western Governors University'
  ➜ Skipping stray line: 'Gabel, Ann; M.S., University of Kansas'
  ➜ Skipping stray line: 'Gayol, Marcos; M.S., Aspen University'
  ➜ Skipping stray line: 'Giaquinto, Elisa; M.A., Brown University'
  ➜ Skipping stray line: 'Gogatz, Debra; DNP, Regis University'
  ➜ Skipping stray line: 'Golden, Christina; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Gottesfeld, Ilene; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Gwyn, Elizabeth; M.S., Winston Salem State University'
  ➜ Skipping stray line: 'Hadsell, Christine; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Hansen, Julie; Ph.D., South Dakota State University'
  ➜ Skipping stray line: 'Hartley-Clanton, Patricia; M.S., University of Utah'
  ➜ Skipping stray line: 'Hawkins, Shannon; M.S., Walden University'
  ➜ Skipping stray line: 'Heyer-Schmidt, Theres-Anne; ND, University of Colorado-Denver'
  ➜ Skipping stray line: 'Hill, Dana; Ph.D., Walden University'
  ➜ Skipping stray line: 'Hunt, Eleanor; M.S., Duke University'
  ➜ Skipping stray line: 'Johnson-Anderson, Heidi; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Kangas, Sandra; Ph.D., Georgia State University'
  ➜ Skipping stray line: 'Kogan, Lisa; M.S., Western Governors University'
  ➜ Skipping stray line: 'Langer Atkinson, Heidi; Ph.D., University of Albany'
  ➜ Skipping stray line: 'Lashlee, Marilyn; DNP, Northeastern University'
  ➜ Skipping stray line: 'Long, Jennifer; M.S., Indiana University'
  ➜ Skipping stray line: 'Marshall, Janet; Ph.D., Rush University'
  ➜ Title candidate: 'Masterson, Debra; Ed.D., Liberty University'
  ✔️ Collected description (40 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 7098: 'Course Mentor Directory'

🔍 parse_program: starting at line 7098: 'Course Mentor Directory'
  ➜ Title candidate: 'Course Mentor Directory'
  ❌ Invalid title line: 'Course Mentor Directory'
  ➜ Parsing at 7099: 'General Education'

🔍 parse_program: starting at line 7099: 'General Education'
  ➜ Title candidate: 'General Education'
  ❌ Invalid title line: 'General Education'
  ➜ Parsing at 7100: 'Adams, William; M.A., Savanah College of Art and Design'

🔍 parse_program: starting at line 7100: 'Adams, William; M.A., Savanah College of Art and Design'
  ➜ Title candidate: 'Adams, William; M.A., Savanah College of Art and Design'
  ❌ Invalid title line: 'Adams, William; M.A., Savanah College of Art and Design'
  ➜ Parsing at 7101: 'Aguirre, Jennifer; M.S., Walden University'

🔍 parse_program: starting at line 7101: 'Aguirre, Jennifer; M.S., Walden University'
  ➜ Title candidate: 'Aguirre, Jennifer; M.S., Walden University'
  ❌ Invalid title line: 'Aguirre, Jennifer; M.S., Walden University'
  ➜ Parsing at 7102: 'Akens, Jonne; Ph. D., Texas A&M University'

🔍 parse_program: starting at line 7102: 'Akens, Jonne; Ph. D., Texas A&M University'
  ➜ Title candidate: 'Akens, Jonne; Ph. D., Texas A&M University'
  ❌ Invalid title line: 'Akens, Jonne; Ph. D., Texas A&M University'
  ➜ Parsing at 7103: 'Alexander, Ledora; Ed.S., Walden University'

🔍 parse_program: starting at line 7103: 'Alexander, Ledora; Ed.S., Walden University'
  ➜ Title candidate: 'Alexander, Ledora; Ed.S., Walden University'
  ❌ Invalid title line: 'Alexander, Ledora; Ed.S., Walden University'
  ➜ Parsing at 7104: 'Ashe, James; Ph.D., University of Tennessee'

🔍 parse_program: starting at line 7104: 'Ashe, James; Ph.D., University of Tennessee'
  ➜ Title candidate: 'Ashe, James; Ph.D., University of Tennessee'
  ❌ Invalid title line: 'Ashe, James; Ph.D., University of Tennessee'
  ➜ Parsing at 7105: 'Barnes, Lauri; Ph.D., Indiana University of Pennsylvania'

🔍 parse_program: starting at line 7105: 'Barnes, Lauri; Ph.D., Indiana University of Pennsylvania'
  ➜ Title candidate: 'Barnes, Lauri; Ph.D., Indiana University of Pennsylvania'
  ❌ Invalid title line: 'Barnes, Lauri; Ph.D., Indiana University of Pennsylvania'
  ➜ Parsing at 7106: 'Baty, Amanda; Ph.D., Texas Tech University'

🔍 parse_program: starting at line 7106: 'Baty, Amanda; Ph.D., Texas Tech University'
  ➜ Title candidate: 'Baty, Amanda; Ph.D., Texas Tech University'
  ❌ Invalid title line: 'Baty, Amanda; Ph.D., Texas Tech University'
  ➜ Parsing at 7107: 'Benson, Bryan; Ph.D., Boston College'

🔍 parse_program: starting at line 7107: 'Benson, Bryan; Ph.D., Boston College'
  ➜ Title candidate: 'Benson, Bryan; Ph.D., Boston College'
  ❌ Invalid title line: 'Benson, Bryan; Ph.D., Boston College'
  ➜ Parsing at 7108: 'Bilbrey, Joshua; Ph.D., Texas State University'

🔍 parse_program: starting at line 7108: 'Bilbrey, Joshua; Ph.D., Texas State University'
  ➜ Title candidate: 'Bilbrey, Joshua; Ph.D., Texas State University'
  ❌ Invalid title line: 'Bilbrey, Joshua; Ph.D., Texas State University'
  ➜ Parsing at 7109: 'Borden, Anne; Ph.D., Emory University'

🔍 parse_program: starting at line 7109: 'Borden, Anne; Ph.D., Emory University'
  ➜ Title candidate: 'Borden, Anne; Ph.D., Emory University'
  ❌ Invalid title line: 'Borden, Anne; Ph.D., Emory University'
  ➜ Parsing at 7110: 'Brewer, Craig: Ph.D., University of Notre Dame'

🔍 parse_program: starting at line 7110: 'Brewer, Craig: Ph.D., University of Notre Dame'
  ➜ Title candidate: 'Brewer, Craig: Ph.D., University of Notre Dame'
  ❌ Invalid title line: 'Brewer, Craig: Ph.D., University of Notre Dame'
  ➜ Parsing at 7111: 'Brown, Bonnie; Ph.D., Stephen F. Austin State University'

🔍 parse_program: starting at line 7111: 'Brown, Bonnie; Ph.D., Stephen F. Austin State University'
  ➜ Title candidate: 'Brown, Bonnie; Ph.D., Stephen F. Austin State University'
  ❌ Invalid title line: 'Brown, Bonnie; Ph.D., Stephen F. Austin State University'
  ➜ Parsing at 7112: 'Browning, Ellen; Ph.D., University of Texas, Arlington'

🔍 parse_program: starting at line 7112: 'Browning, Ellen; Ph.D., University of Texas, Arlington'
  ➜ Title candidate: 'Browning, Ellen; Ph.D., University of Texas, Arlington'
  ❌ Invalid title line: 'Browning, Ellen; Ph.D., University of Texas, Arlington'
  ➜ Parsing at 7113: 'Buchanan, Tenielle; Ed.D., Lipscomb University'

🔍 parse_program: starting at line 7113: 'Buchanan, Tenielle; Ed.D., Lipscomb University'
  ➜ Title candidate: 'Buchanan, Tenielle; Ed.D., Lipscomb University'
  ❌ Invalid title line: 'Buchanan, Tenielle; Ed.D., Lipscomb University'
  ➜ Parsing at 7114: 'Byrnes, Sean; Ph.D., Emory University'

🔍 parse_program: starting at line 7114: 'Byrnes, Sean; Ph.D., Emory University'
  ➜ Title candidate: 'Byrnes, Sean; Ph.D., Emory University'
  ❌ Invalid title line: 'Byrnes, Sean; Ph.D., Emory University'
  ➜ Parsing at 7115: 'Carmona, Karla; M.S., Western Governors University'

🔍 parse_program: starting at line 7115: 'Carmona, Karla; M.S., Western Governors University'
  ➜ Title candidate: 'Carmona, Karla; M.S., Western Governors University'
  ❌ Invalid title line: 'Carmona, Karla; M.S., Western Governors University'
  ➜ Parsing at 7116: 'Castaneda, Gilivaldo; M.Ed., University of Texas at San Antonio'

🔍 parse_program: starting at line 7116: 'Castaneda, Gilivaldo; M.Ed., University of Texas at San Antonio'
  ➜ Title candidate: 'Castaneda, Gilivaldo; M.Ed., University of Texas at San Antonio'
  ❌ Invalid title line: 'Castaneda, Gilivaldo; M.Ed., University of Texas at San Antonio'
  ➜ Parsing at 7117: 'Chaves Ulloa, Ramsa; Ph.D., Dartmouth College'

🔍 parse_program: starting at line 7117: 'Chaves Ulloa, Ramsa; Ph.D., Dartmouth College'
  ➜ Title candidate: 'Chaves Ulloa, Ramsa; Ph.D., Dartmouth College'
  ❌ Invalid title line: 'Chaves Ulloa, Ramsa; Ph.D., Dartmouth College'
  ➜ Parsing at 7118: 'Chittick, Sharla; Ph.D., University of Stirling'

🔍 parse_program: starting at line 7118: 'Chittick, Sharla; Ph.D., University of Stirling'
  ➜ Title candidate: 'Chittick, Sharla; Ph.D., University of Stirling'
  ❌ Invalid title line: 'Chittick, Sharla; Ph.D., University of Stirling'
  ➜ Parsing at 7119: 'Condit, Lorna; Ph.D., University of Missouri'

🔍 parse_program: starting at line 7119: 'Condit, Lorna; Ph.D., University of Missouri'
  ➜ Title candidate: 'Condit, Lorna; Ph.D., University of Missouri'
  ❌ Invalid title line: 'Condit, Lorna; Ph.D., University of Missouri'
  ➜ Parsing at 7120: 'Cowan, Christy; Ph.D., University of South Carolina'

🔍 parse_program: starting at line 7120: 'Cowan, Christy; Ph.D., University of South Carolina'
  ➜ Title candidate: 'Cowan, Christy; Ph.D., University of South Carolina'
  ❌ Invalid title line: 'Cowan, Christy; Ph.D., University of South Carolina'
  ➜ Parsing at 7121: 'Crawford, Nathan; Ph.D., University of Tennessee-Knoxville'

🔍 parse_program: starting at line 7121: 'Crawford, Nathan; Ph.D., University of Tennessee-Knoxville'
  ➜ Title candidate: 'Crawford, Nathan; Ph.D., University of Tennessee-Knoxville'
  ❌ Invalid title line: 'Crawford, Nathan; Ph.D., University of Tennessee-Knoxville'
  ➜ Parsing at 7122: 'Crooks, Kathleen; Ph.D., University of Akron'

🔍 parse_program: starting at line 7122: 'Crooks, Kathleen; Ph.D., University of Akron'
  ➜ Title candidate: 'Crooks, Kathleen; Ph.D., University of Akron'
  ❌ Invalid title line: 'Crooks, Kathleen; Ph.D., University of Akron'
  ➜ Parsing at 7123: 'Cross, Cameron; M.S., Kaplan University'

🔍 parse_program: starting at line 7123: 'Cross, Cameron; M.S., Kaplan University'
  ➜ Title candidate: 'Cross, Cameron; M.S., Kaplan University'
  ❌ Invalid title line: 'Cross, Cameron; M.S., Kaplan University'
  ➜ Parsing at 7124: 'Cureton, Sara; M.A., Gonzaga Univeristy'

🔍 parse_program: starting at line 7124: 'Cureton, Sara; M.A., Gonzaga Univeristy'
  ➜ Title candidate: 'Cureton, Sara; M.A., Gonzaga Univeristy'
  ❌ Invalid title line: 'Cureton, Sara; M.A., Gonzaga Univeristy'
  ➜ Parsing at 7125: 'Cutler, Ned; Ph.D., Duke University'

🔍 parse_program: starting at line 7125: 'Cutler, Ned; Ph.D., Duke University'
  ➜ Title candidate: 'Cutler, Ned; Ph.D., Duke University'
  ❌ Invalid title line: 'Cutler, Ned; Ph.D., Duke University'
  ➜ Parsing at 7126: 'Dodge, Joshua; M.A., University of Central Florida'

🔍 parse_program: starting at line 7126: 'Dodge, Joshua; M.A., University of Central Florida'
  ➜ Title candidate: 'Dodge, Joshua; M.A., University of Central Florida'
  ❌ Invalid title line: 'Dodge, Joshua; M.A., University of Central Florida'
  ➜ Parsing at 7127: 'Dorre, Gina; Ph.D., Tulane University'

🔍 parse_program: starting at line 7127: 'Dorre, Gina; Ph.D., Tulane University'
  ➜ Title candidate: 'Dorre, Gina; Ph.D., Tulane University'
  ❌ Invalid title line: 'Dorre, Gina; Ph.D., Tulane University'
  ➜ Parsing at 7128: 'Douglas, Katherine; M.A., University of California, San Diego'

🔍 parse_program: starting at line 7128: 'Douglas, Katherine; M.A., University of California, San Diego'
  ➜ Title candidate: 'Douglas, Katherine; M.A., University of California, San Diego'
  ❌ Invalid title line: 'Douglas, Katherine; M.A., University of California, San Diego'
  ➜ Parsing at 7129: 'Duff, Kandi; Ed.D., Idaho State University'

🔍 parse_program: starting at line 7129: 'Duff, Kandi; Ed.D., Idaho State University'
  ➜ Title candidate: 'Duff, Kandi; Ed.D., Idaho State University'
  ❌ Invalid title line: 'Duff, Kandi; Ed.D., Idaho State University'
  ➜ Parsing at 7130: 'Dungar, Michael; MA, Boston College'

🔍 parse_program: starting at line 7130: 'Dungar, Michael; MA, Boston College'
  ➜ Title candidate: 'Dungar, Michael; MA, Boston College'
  ❌ Invalid title line: 'Dungar, Michael; MA, Boston College'
  ➜ Parsing at 7131: 'Edmunds, Jeffrey; Ph.D., University of Arizona'

🔍 parse_program: starting at line 7131: 'Edmunds, Jeffrey; Ph.D., University of Arizona'
  ➜ Title candidate: 'Edmunds, Jeffrey; Ph.D., University of Arizona'
  ❌ Invalid title line: 'Edmunds, Jeffrey; Ph.D., University of Arizona'
  ➜ Parsing at 7132: 'Evans, Robin; Ph.D., Oklahoma State University'

🔍 parse_program: starting at line 7132: 'Evans, Robin; Ph.D., Oklahoma State University'
  ➜ Title candidate: 'Evans, Robin; Ph.D., Oklahoma State University'
  ❌ Invalid title line: 'Evans, Robin; Ph.D., Oklahoma State University'
  ➜ Parsing at 7133: 'Evenson Newhouse, Ranae; Ph.D., Vanderbilt University'

🔍 parse_program: starting at line 7133: 'Evenson Newhouse, Ranae; Ph.D., Vanderbilt University'
  ➜ Title candidate: 'Evenson Newhouse, Ranae; Ph.D., Vanderbilt University'
  ❌ Invalid title line: 'Evenson Newhouse, Ranae; Ph.D., Vanderbilt University'
  ➜ Parsing at 7134: 'Faucett, Jessica; Ph.D., Texas Tech University'

🔍 parse_program: starting at line 7134: 'Faucett, Jessica; Ph.D., Texas Tech University'
  ➜ Title candidate: 'Faucett, Jessica; Ph.D., Texas Tech University'
  ❌ Invalid title line: 'Faucett, Jessica; Ph.D., Texas Tech University'
  ➜ Parsing at 7135: 'Fehnel, Bradley; M.S., University of Wisconsin-Milwaukee'

🔍 parse_program: starting at line 7135: 'Fehnel, Bradley; M.S., University of Wisconsin-Milwaukee'
  ➜ Title candidate: 'Fehnel, Bradley; M.S., University of Wisconsin-Milwaukee'
  ❌ Invalid title line: 'Fehnel, Bradley; M.S., University of Wisconsin-Milwaukee'
  ➜ Parsing at 7136: 'Fellow, Jill; M.S., Brigham Young University'

🔍 parse_program: starting at line 7136: 'Fellow, Jill; M.S., Brigham Young University'
  ➜ Title candidate: 'Fellow, Jill; M.S., Brigham Young University'
  ❌ Invalid title line: 'Fellow, Jill; M.S., Brigham Young University'
  ➜ Parsing at 7137: 'Franco, Heidi; Ph.D., University of Utah'

🔍 parse_program: starting at line 7137: 'Franco, Heidi; Ph.D., University of Utah'
  ➜ Title candidate: 'Franco, Heidi; Ph.D., University of Utah'
  ❌ Invalid title line: 'Franco, Heidi; Ph.D., University of Utah'
  ➜ Parsing at 7138: 'Frusciante, Denise; Ph.D., University of Miami'

🔍 parse_program: starting at line 7138: 'Frusciante, Denise; Ph.D., University of Miami'
  ➜ Title candidate: 'Frusciante, Denise; Ph.D., University of Miami'
  ❌ Invalid title line: 'Frusciante, Denise; Ph.D., University of Miami'
  ➜ Parsing at 7139: 'Galindez, Dahlia; MA, Western Governors University'

🔍 parse_program: starting at line 7139: 'Galindez, Dahlia; MA, Western Governors University'
  ➜ Title candidate: 'Galindez, Dahlia; MA, Western Governors University'
  ❌ Invalid title line: 'Galindez, Dahlia; MA, Western Governors University'
  ➜ Parsing at 7140: 'Gangaram, Jitendra; Ph.D., North Central University'

🔍 parse_program: starting at line 7140: 'Gangaram, Jitendra; Ph.D., North Central University'
  ➜ Title candidate: 'Gangaram, Jitendra; Ph.D., North Central University'
  ❌ Invalid title line: 'Gangaram, Jitendra; Ph.D., North Central University'
  ➜ Parsing at 7141: 'Garrett, Janette; MBA, University of Phoenix'

🔍 parse_program: starting at line 7141: 'Garrett, Janette; MBA, University of Phoenix'
  ➜ Title candidate: 'Garrett, Janette; MBA, University of Phoenix'
  ❌ Invalid title line: 'Garrett, Janette; MBA, University of Phoenix'
  ➜ Parsing at 7142: 'Goodwin, Rachel; Ph.D., University of Texas'

🔍 parse_program: starting at line 7142: 'Goodwin, Rachel; Ph.D., University of Texas'
  ➜ Title candidate: 'Goodwin, Rachel; Ph.D., University of Texas'
  ❌ Invalid title line: 'Goodwin, Rachel; Ph.D., University of Texas'
  ➜ Parsing at 7143: 'Gordon, Kelley; Ph.D., Indiana University of Pennsylvania'

🔍 parse_program: starting at line 7143: 'Gordon, Kelley; Ph.D., Indiana University of Pennsylvania'
  ➜ Title candidate: 'Gordon, Kelley; Ph.D., Indiana University of Pennsylvania'
  ❌ Invalid title line: 'Gordon, Kelley; Ph.D., Indiana University of Pennsylvania'
  ➜ Parsing at 7144: 'Gravitte, Kristen; Ph.D., University of Tulsa'

🔍 parse_program: starting at line 7144: 'Gravitte, Kristen; Ph.D., University of Tulsa'
  ➜ Title candidate: 'Gravitte, Kristen; Ph.D., University of Tulsa'
  ❌ Invalid title line: 'Gravitte, Kristen; Ph.D., University of Tulsa'
  ➜ Parsing at 7145: 'Gradzielewski, Andrew; Ph.D., University of Washington'

🔍 parse_program: starting at line 7145: 'Gradzielewski, Andrew; Ph.D., University of Washington'
  ➜ Title candidate: 'Gradzielewski, Andrew; Ph.D., University of Washington'
  ❌ Invalid title line: 'Gradzielewski, Andrew; Ph.D., University of Washington'
  ➜ Parsing at 7146: 'Halula, Stephen; Ph.D., Marquette University'

🔍 parse_program: starting at line 7146: 'Halula, Stephen; Ph.D., Marquette University'
  ➜ Title candidate: 'Halula, Stephen; Ph.D., Marquette University'
  ❌ Invalid title line: 'Halula, Stephen; Ph.D., Marquette University'
  ➜ Parsing at 7147: 'Harris, Steven; Ph.D., Indiana University'

🔍 parse_program: starting at line 7147: 'Harris, Steven; Ph.D., Indiana University'
  ➜ Title candidate: 'Harris, Steven; Ph.D., Indiana University'
  ❌ Invalid title line: 'Harris, Steven; Ph.D., Indiana University'
  ➜ Parsing at 7148: 'Hartwick, Andromeda; Ph.D., University of Michigan'

🔍 parse_program: starting at line 7148: 'Hartwick, Andromeda; Ph.D., University of Michigan'
  ➜ Title candidate: 'Hartwick, Andromeda; Ph.D., University of Michigan'
  ❌ Invalid title line: 'Hartwick, Andromeda; Ph.D., University of Michigan'
  ➜ Parsing at 7149: 'Hayne, Victoria; Ph.D., University of California - Los Angeles'

🔍 parse_program: starting at line 7149: 'Hayne, Victoria; Ph.D., University of California - Los Angeles'
  ➜ Title candidate: 'Hayne, Victoria; Ph.D., University of California - Los Angeles'
  ❌ Invalid title line: 'Hayne, Victoria; Ph.D., University of California - Los Angeles'
  ➜ Parsing at 7150: 'Hernandez, Ali; Ph.D., Benedictine University'

🔍 parse_program: starting at line 7150: 'Hernandez, Ali; Ph.D., Benedictine University'
  ➜ Title candidate: 'Hernandez, Ali; Ph.D., Benedictine University'
  ❌ Invalid title line: 'Hernandez, Ali; Ph.D., Benedictine University'
  ➜ Parsing at 7151: 'Hillyer, Aaron; Ph.D., University of Nebraska'

🔍 parse_program: starting at line 7151: 'Hillyer, Aaron; Ph.D., University of Nebraska'
  ➜ Title candidate: 'Hillyer, Aaron; Ph.D., University of Nebraska'
  ❌ Invalid title line: 'Hillyer, Aaron; Ph.D., University of Nebraska'
  ➜ Parsing at 7152: 'Horne, Lisa; M.A., Brigham Young University'

🔍 parse_program: starting at line 7152: 'Horne, Lisa; M.A., Brigham Young University'
  ➜ Title candidate: 'Horne, Lisa; M.A., Brigham Young University'
  ❌ Invalid title line: 'Horne, Lisa; M.A., Brigham Young University'
  ➜ Parsing at 7153: 'Hurley, Norman; Ph.D., University of Illinois'

🔍 parse_program: starting at line 7153: 'Hurley, Norman; Ph.D., University of Illinois'
  ➜ Title candidate: 'Hurley, Norman; Ph.D., University of Illinois'
  ❌ Invalid title line: 'Hurley, Norman; Ph.D., University of Illinois'
  ➜ Parsing at 7154: 'Jensen, Taylor; Ph.D., Montana State University'

🔍 parse_program: starting at line 7154: 'Jensen, Taylor; Ph.D., Montana State University'
  ➜ Title candidate: 'Jensen, Taylor; Ph.D., Montana State University'
  ❌ Invalid title line: 'Jensen, Taylor; Ph.D., Montana State University'
  ➜ Parsing at 7155: 'Johnson, Stephanie; MBA, Lindenwood University'

🔍 parse_program: starting at line 7155: 'Johnson, Stephanie; MBA, Lindenwood University'
  ➜ Title candidate: 'Johnson, Stephanie; MBA, Lindenwood University'
  ❌ Invalid title line: 'Johnson, Stephanie; MBA, Lindenwood University'
  ➜ Parsing at 7156: '© Western Governors University Jul 19, 2017 177'

🔍 parse_program: starting at line 7156: '© Western Governors University Jul 19, 2017 177'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'Jones, Lee; Ph.D., Clark Atlanta University'
  ➜ Skipping stray line: 'Kelley, Matthew; Ph.D., University of Nevada-Las Vegas'
  ➜ Skipping stray line: 'Kelly, Lynn; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Knieps, Linda; Ph.D., Vanderbilt University'
  ➜ Skipping stray line: 'Knous, Helen; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Landry, Stan; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Latham, Kary; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Lauren, Jennifer; Ph.D., Duquesne University'
  ➜ Skipping stray line: 'Leep, Matthew; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Lettau, Lisa; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Little, David; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Lukin, Kara; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Main, Daniel; Ph.D., University of Colorado'
  ➜ Skipping stray line: 'Mammen, John; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Mantooth, Stacy; Ph. D., University of Nevada – Las Vegas'
  ➜ Skipping stray line: 'Martin, Jonathan; M.A., West Virginia University'
  ➜ Skipping stray line: 'Mays, Ashley; Ph.D., University of North Carolina at Chapel Hill'
  ➜ Skipping stray line: 'McCune, Timothy; Ph.D., Youngstown State University'
  ➜ Skipping stray line: 'McWatters, Mason; Ph.D., University of Texas at Austin'
  ➜ Skipping stray line: 'Metoki, Kiyoko; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Meyer, Nicholas; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Miller, Don; Ph.D., Morehouse School of Medicine'
  ➜ Skipping stray line: 'Miller, Kathleen; Ph.D., University of Delaware'
  ➜ Skipping stray line: 'Moody, Vivian; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Mosgrove, Sharon; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Moss, Meg; Ph.D., University of Tennessee-Knoxville'
  ➜ Skipping stray line: 'Mzoughi, Taha; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Nelson, Angela; Ph.D., Cornell University'
  ➜ Skipping stray line: 'Nicley, Erinn; M.S., Florida State University'
  ➜ Skipping stray line: 'Norton, Cindy; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Olson, Nels; Ph.D., Michigan State University'
  ➜ Skipping stray line: 'Oulette, David; Ph.D., Virginia Commonwealth University'
  ➜ Skipping stray line: 'Palmer, Michael; M.F.A., University of Utah'
  ➜ Skipping stray line: 'Pankowski, Peg; Ed.D., Duquesne University'
  ➜ Skipping stray line: 'Parrish, Anca; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Parton, Sabrena; Ph.D., University of Southern Mississippi'
  ➜ Skipping stray line: 'Parvin, Kathleen; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Peppers, Shelitha; Ed.D., Maryville University'
  ➜ Skipping stray line: 'Perkins, Heidi; M.S., Excelsior College'
  ➜ Skipping stray line: 'Phillips, Dedra; M.A., Colorado Technical University'
  ➜ Skipping stray line: 'Potter, Christine; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Quintela, Melissa; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Radosavljevic, Alexander; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Redden, Cameron; MAT, Baldwin Wallace University'
  ➜ Skipping stray line: 'Redkey, Elizabeth; Ph.D., University at Albany, State University of New York'
  ➜ Skipping stray line: 'Remington, Theodore; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Rhodes, Kristofer; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Robinson, Ami; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Robinson, Jeffery; Ph.D., Drew University'
  ➜ Skipping stray line: 'Rosenblatt, Heather; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Rossi, Cynthia; Ph.D., University of Maryland'
  ➜ Skipping stray line: 'Saddler, Derrick; Ph.D., University of South Florida'
  ➜ Skipping stray line: 'Sanchez, Melvin; Ph.D., University of California-Irvine'
  ➜ Skipping stray line: 'Scheg, Abigail; Ph.D., Indiana University of Pennsylvania'
  ➜ Skipping stray line: 'Scheib, Douglas; Ph.D., University of Miami'
  ➜ Skipping stray line: 'Scotece, Shannon; Ph.D., State University of New York - Albany'
  ➜ Skipping stray line: 'Shahi, Kimberley; Ph.D., University of Texas at Arlington'
  ➜ Skipping stray line: 'Sharpe, Robert; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Shimotsu-Dariol, Stephanie; Ph.D., West Virginia University'
  ➜ Skipping stray line: 'Simeon, Patricia; Ed.D., Grambling State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 178'
  ➜ Skipping stray line: 'Simmons, Nathaniel; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Smith, Tommie; MBA, Middle Tennessee State University'
  ➜ Skipping stray line: 'Springfield, Derriell; Ed.D., East Tennessee State University'
  ➜ Skipping stray line: 'St Martin, Ashley; M.S., University of Vermont'
  ➜ Skipping stray line: 'Stambaugh, Nathaniel; Ph.D., Brandeis University'
  ➜ Skipping stray line: 'Starr, Neil; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Timmer, Kristin; Ph.D., University of Tennessee Health Science Center'
  ➜ Skipping stray line: 'Tolin Schultz, Alexandra; Ph.D., Stony Brook University'
  ➜ Skipping stray line: 'Tucker, Diana; Ph.D., Southern Illinois University Carbondale'
  ➜ Skipping stray line: 'Tweedy, Joanna; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Verber, Jason; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Vida, Anna; M.A., Arizona State University'
  ➜ Skipping stray line: 'Walker, Hope; M.A., The American University'
  ➜ Skipping stray line: 'Weaver, Matthew; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Webb, James; M.A., Pacific University'
  ➜ Skipping stray line: 'Wellinghoff, Lisa; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Westmoreland, Brandi; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Whitson-Whennen, Tonya; M.M., University of Utah'
  ➜ Skipping stray line: 'Woolridge, Mary; Ph.D., University of Central Florida'
  ➜ Skipping stray line: 'Young, Michael; Ph.D., University of Missouri at Saint Louis'
  ➜ Skipping stray line: 'Zasadny, Jill; Ph.D., Kansas University'
  ➜ Skipping stray line: 'Teachers College'
  ➜ Skipping stray line: 'Aafif, Amal; Ph.D., Drexel University'
  ➜ Skipping stray line: 'Affleck, Alisa; M.A., Western Governors University'
  ➜ Skipping stray line: 'Allen, Elizabeth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Aranda, Christina; M.A., University of Utah'
  ➜ Skipping stray line: 'Aufderhaar, Carolyn; Ed.D., University of Cincinnati'
  ➜ Skipping stray line: 'Baxter, Marissa; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Belchik-Moser, Sara; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Betts, Anastasia; Ph.D., Regent University'
  ➜ Skipping stray line: 'Blanks, Dorothy; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Boen, Laurie; Ph.D., University of Arkansas'
  ➜ Skipping stray line: 'Boyd-Bradwell, Natasha; Ph.D., Capella University'
  ➜ Skipping stray line: 'Branan, Daniel; Ph.D., University of Denver'
  ➜ Skipping stray line: 'Branch, Leah; Ed.D., Bethel University'
  ➜ Skipping stray line: 'Brogan, Lynn; Ed.D., Columbia University'
  ➜ Skipping stray line: 'Brooks, Marlaina; Ed.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Calero, Lisa; Ph.D., Capella University'
  ➜ Skipping stray line: 'Carey, Kimberly; Ph.D., Old Dominion University'
  ➜ Skipping stray line: 'Cartwright, Nancy; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'Cohen, Kimberley; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Constanza, Michele; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Covey, Nicole; Ed.D., University of Memphis'
  ➜ Skipping stray line: 'Douglas, Deanna; Ph.D., Wichita State University'
  ➜ Skipping stray line: 'Dove, Teresa; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Dukes, Debra; Ed.D., University of Georgia'
  ➜ Skipping stray line: 'Durakiewicz, Anna; M.S., University of Marie Curie'
  ➜ Skipping stray line: 'Eisenhour, Melanie; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Feng, Suiping; Ph.D., City University of New York'
  ➜ Skipping stray line: 'Fillpot, Elsie; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Flavin, Kathryn; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Flores, Alberto; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Francis, David; M.A., Western Governors University'
  ➜ Skipping stray line: 'Giddens, Evelyn; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gillman, Brenna; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Gray-Dowdy, Audra; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Hall, Robert; Ph.D., Capella University'
  ➜ Skipping stray line: 'Halverson, Colleen; Ph.D., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Harbin, Lesley; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 179'
  ➜ Skipping stray line: 'Hardin, Bridgette; Ed.D., Texas A&M University-Corpus Christi'
  ➜ Skipping stray line: 'Hedman, Shawn; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Henry, Joanna; M.E., Lamar University'
  ➜ Skipping stray line: 'Hernandez, Julie; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Hiebel, Adam; Ed.D., Ohio University'
  ➜ Skipping stray line: 'Hudon-Miller, Sarah; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Hughes, Amy; Ed.D., University of Montana'
  ➜ Skipping stray line: 'Hutson, Tommye; Ed.D., Baylor University'
  ➜ Skipping stray line: 'Igbinoba-Cummings, Monique; Ph.D., Lynn University'
  ➜ Skipping stray line: 'Izumi, Alisa; Ed.D., University of Massachusetts'
  ➜ Skipping stray line: 'Jacobs, Patricia; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Janitzki, Dean; M.A., University of Toledo'
  ➜ Skipping stray line: 'Johnson, Sherri; Ph.D., Capella University'
  ➜ Skipping stray line: 'Jovic, Marko; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Kain, Meri; Ed.D., University of Missouri'
  ➜ Skipping stray line: 'Kelly, Gretchen; Ed.D., Walden University'
  ➜ Skipping stray line: 'Leinbach, William; Ed.D., Oregon State University'
  ➜ Skipping stray line: 'Lindemann, Steven; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Linkenhoker, Dina; Ed.D., Liberty University'
  ➜ Skipping stray line: 'Lipscomb, Pauline; Ed.D., University of the Cumberlands'
  ➜ Skipping stray line: 'Luster, Sandricia; Ed.S., Argosy University'
  ➜ Skipping stray line: 'McCarver, Patricia; Ph.D., California Institute of Integral Studies'
  ➜ Skipping stray line: 'McDaniel, Maryann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'McGrath Hovland, Michelle; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Mendes, John; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Miller, Esther; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Mills, Ginger; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Moore, Tontaleya; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Morgan, Matthew; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Mour, Jennifer; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Murray, Mary; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Obianyo, Obiamaka; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Odom, M. Katherine; Ph.D., University of South Alabama'
  ➜ Skipping stray line: 'O’Malley, Maureen; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Pack, Mamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Parry, Kelly; Ph.D., University of North Texas'
  ➜ Skipping stray line: 'Purnell, Courtney; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Quinn, Lori; M.A.Ed., Prairie View A&M University'
  ➜ Skipping stray line: 'Rahsaz, Jacqueline; M.A., University of California San Diego'
  ➜ Skipping stray line: 'Randonis, Jennifer; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Rawson, Robert; Ph.D., University of Texas Southwestern'
  ➜ Skipping stray line: 'Richen, Damara; Ed.D., Fielding Graduate University'
  ➜ Skipping stray line: 'Robles, Veronica; Ed.D., Arizona State University'
  ➜ Skipping stray line: 'Rogers, Carmelle; Ph.D., Kansas State University'
  ➜ Skipping stray line: 'Russell-Fry, Nancy; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Scales, Rebecca; M.A., Western Governors University'
  ➜ Skipping stray line: 'Schmidt, Stan; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Sepetys, Peggy; Ed.D., University of Michigan'
  ➜ Skipping stray line: 'Shrader, Vincent; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Silver, Jennifer; Ph.D., New York University'
  ➜ Skipping stray line: 'Sims, Rachel; Ed.D., Walden University'
  ➜ Skipping stray line: 'Smith, Janeal; Ph.D., Walden University'
  ➜ Skipping stray line: 'Spencer, Kristin; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Story, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Swenson, Karl; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Thompson, Julie; Ph.D., University of Rochester'
  ➜ Skipping stray line: 'Traub-Metlay, Suzanne; Ph.D., University of Pittsburg'
  ➜ Skipping stray line: 'Tresnak, Robyn; Ph.D., Walden University'
  ➜ Skipping stray line: 'Turner, Carmen; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Vickers, Paul; Ed.D., Stephen F. Austin State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 180'
  ➜ Skipping stray line: 'Walter-Sullivan, Earnestyne; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'Weinstein, Gideon; Ph.D., Indiana University Bloomington'
  ➜ Skipping stray line: 'Whitmire, Jane; Ph.D., University of Montana'
  ➜ Skipping stray line: 'Willey-Rendon, Ruby; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Williams, Lacey; Ed.D., Union Institute and University'
  ➜ Skipping stray line: 'Wisnosky, Marc; Ph.D., University of Pittsburgh'
  ➜ Skipping stray line: 'Yanusheva, Lidiya; Ed.D., Walden University'
  ➜ Skipping stray line: 'Yatherajam, Gayatri; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Zartman, Krista; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Zimmerli, Mandy; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'College of Business'
  ➜ Skipping stray line: 'Abubakari, Nina; J.D., Wayne State University'
  ➜ Skipping stray line: 'Adler, Kathleen; Ph.D., Southern Methodist University'
  ➜ Skipping stray line: 'Alafita, Theresa; Ph.D., George Washington University'
  ➜ Skipping stray line: 'Arenz, Russell; Ph.D., Colorado Technical University'
  ➜ Skipping stray line: 'Argiento, Steven; J.D., Pace University'
  ➜ Skipping stray line: 'Austin, Judy; MBA, Western Governors University'
  ➜ Skipping stray line: 'Baragoshi, Behroz; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Barton, Robert; Ed.S., Utah State University'
  ➜ Skipping stray line: 'Black, Hilda; Ph.D., Louisiana Tech University'
  ➜ Skipping stray line: 'Borch, Casey; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Boysen-Rotelli, Sheila; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Brownstein, Steven; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Carson, Pook; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Cassell, Kenneth; MBA, San Jose State University'
  ➜ Skipping stray line: 'Cherry, Patricia; Ph.D., Capella University'
  ➜ Skipping stray line: 'Clarke, Jeffrey; Ph.D., University of California-Los Angeles'
  ➜ Skipping stray line: 'Connor, Martin; J.D., University of North Dakota'
  ➜ Skipping stray line: 'Davis, Lorretta; Ph.D., Capella University'
  ➜ Skipping stray line: 'Davis, Mary; Ed.D., Central Michigan University'
  ➜ Skipping stray line: 'Doctorman, Lindsey; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Doren, Andrew; D.M., University of Maryland'
  ➜ Skipping stray line: 'Dula, Kimberly; Ph.D., Mercer University'
  ➜ Skipping stray line: 'Duran, Anthony; DBA, Grand Canyon University'
  ➜ Skipping stray line: 'Ennis, Erica; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Etter, Edwin; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Feehery, George; DBA, Nova Southeastern University'
  ➜ Skipping stray line: 'Fisher, Paul; Ph.D., Oregon State University'
  ➜ Skipping stray line: 'Gallo, Merry; DBA, Argosy University'
  ➜ Skipping stray line: 'Garland, Jennifer; DBA, Keiser University'
  ➜ Skipping stray line: 'Geddes, Bruce; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gilyot, Bianca; MBA, Northcentral University'
  ➜ Skipping stray line: 'Giscombe, Hilbert; DBA, Argosy University'
  ➜ Skipping stray line: 'Gough, Gregory; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Green, Maurice; Ph.D., University at Albany – State University of New York'
  ➜ Skipping stray line: 'Gunn, Linda; Ph.D., Union Institute and University'
  ➜ Skipping stray line: 'Havins, Merwin; Ed.D., Northern Arizona University'
  ➜ Skipping stray line: 'Heinzman, Joseph; DM, Colorado Technical University'
  ➜ Skipping stray line: 'Hon, Charles; Ph.D., Capella University'
  ➜ Skipping stray line: 'Hudson, Brandi; J.D., Regent University'
  ➜ Skipping stray line: 'Iannucci, Brian; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Imboden, Paul; DBA., Northcentral University'
  ➜ Skipping stray line: 'Jividen, Jim; J.D., Ohio Northern University'
  ➜ Skipping stray line: 'Jones, Alan; MBA, Dartmouth College'
  ➜ Skipping stray line: 'Justice, Jeanne; DBA, Walden University'
  ➜ Skipping stray line: 'Kale, Mrinalini; Ph.D., Capella University'
  ➜ Skipping stray line: 'Kenny, Timothy; M.S., Regis University'
  ➜ Skipping stray line: 'Kowalski, Christine; Ed.D., National Louis University'
  ➜ Skipping stray line: 'Kushniroff, Melinda; Ed.D., Liberty University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 181'
  ➜ Skipping stray line: 'La Hay, Ann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Lagroue, Harold; Ph.D., Louisiana State University'
  ➜ Skipping stray line: 'Lamer, Maryann; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Langdon, Debra; MBA, Denver University'
  ➜ Skipping stray line: 'Lutter-Cooper, Victoria; Ph.D., Capella University'
  ➜ Skipping stray line: 'Marshall, Mario; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'McClesky, Jamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'McNulty, Peggy; Ph.D., University of Colorado-Colorado Springs'
  ➜ Skipping stray line: 'Melton, Rebecca; Ph.D., Chicago School of Professional Psychology'
  ➜ Skipping stray line: 'Mills, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Moore, Detria; J.D., Liberty University'
  ➜ Skipping stray line: 'Neely, Cecil; MBA, University of North Carolina at Greensboro'
  ➜ Skipping stray line: 'Nelms, Linda; Ph.D., Capella University'
  ➜ Skipping stray line: 'Nelson, Camille; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'O’Brien, Joseph; Ed.D., George Washington University'
  ➜ Skipping stray line: 'Openshaw, Matthew; Ph.D., University of Texas at Dallas'
  ➜ Skipping stray line: 'Parish, Beth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Patterson, Julie; Ph.D., University of Illinois at Urbana-Champaign'
  ➜ Skipping stray line: 'Pawarski, Richard; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Phillips, Patti; J.D., Stetson University'
  ➜ Skipping stray line: 'Pratt, Christopher; DHA, University of Phoenix'
  ➜ Skipping stray line: 'Raimo, Steve; DSL, Regent University'
  ➜ Skipping stray line: 'Richardson, Shay; DBA, Walden University'
  ➜ Skipping stray line: 'Roberts, Tracia; M.S., University of Phoenix'
  ➜ Skipping stray line: 'Roberts, Wade; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Rogers, Katie; MBA, University of Utah'
  ➜ Skipping stray line: 'Sawant, Gauri; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Shah, Rob; MBA, DeVry University'
  ➜ Skipping stray line: 'Shepherd, Tracie; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Skinner, Susan; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Snipes, Dawna; J.D., Western Michigan University'
  ➜ Skipping stray line: 'Souder, Michele; MBA, University of Dayton'
  ➜ Skipping stray line: 'Spicer, Ronald; Ph.D., Capella University'
  ➜ Skipping stray line: 'Stewart, Michelle; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Strickland, Cynthia; Ph.D., Touro University International'
  ➜ Skipping stray line: 'Swarthout, Nanette; MBA, Fontbonne University'
  ➜ Skipping stray line: 'Tapp, Timothy; MHA, Washington University'
  ➜ Skipping stray line: 'Thomas, Melanie; J.D., University of North Carolina'
  ➜ Skipping stray line: 'Venkateswar, Sankaran; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Wachter, Eddie; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Wade, Keith; MBA, University of Detroit'
  ➜ Skipping stray line: 'Walker, Natalie; DBA, Keiser University'
  ➜ Skipping stray line: 'Wang, Xiaofei; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Williams, Pegeen; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Williams, Rian; MPA, University of Utah'
  ➜ Skipping stray line: 'Wood, Carrie; M.S., Strayer University'
  ➜ Skipping stray line: 'College of Information Technology'
  ➜ Skipping stray line: 'Al-Husaam, Abdul; Ph.D., Capella University'
  ➜ Skipping stray line: 'Alberici, Mary; Ph.D., University of Missouri-St. Louis'
  ➜ Skipping stray line: 'Allen, Candice; M.A., Capella University'
  ➜ Skipping stray line: 'Antonucci, Amy; M.S., University of Delaware'
  ➜ Skipping stray line: 'Banerjee, Pubali; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'Beverley, Charles; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Blanson, Constance; Ph.D., Capella University'
  ➜ Skipping stray line: 'Bojonny, John; M.S., Marywood University'
  ➜ Skipping stray line: 'Borsum, Pamela; MBA, Western Governors University'
  ➜ Skipping stray line: 'Campbell, Wendy; DBA, Northcentral University'
  ➜ Skipping stray line: 'Carter, Betty; M.S., Troy University'
  ➜ Skipping stray line: 'Cobbs, Dana; M.S., College of William and Mary'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 182'
  ➜ Skipping stray line: 'Cook, Henry; M.S., Clark Atlanta University'
  ➜ Skipping stray line: 'Crawford, Demetria; M.S., Boston University'
  ➜ Skipping stray line: 'Dupree, Yolanda; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Farmer, Jaynee; M.A., University of Arkansas at Little Rock'
  ➜ Skipping stray line: 'Ferdinand, Jeff; M.S., Trident University International'
  ➜ Skipping stray line: 'Gardner, Diana; MBA, Western Governors University'
  ➜ Skipping stray line: 'Garza, Brian; M.S., Western Governors University'
  ➜ Skipping stray line: 'Goodwin, Orenthio; Ph.D., Capella University'
  ➜ Skipping stray line: 'Heiner, Jenny; M.S., Capitol College'
  ➜ Skipping stray line: 'Huff, David; Ph.D., Wayne State University'
  ➜ Skipping stray line: 'Jensen, Bryan; M.S., Bellvue University'
  ➜ Skipping stray line: 'Kercher, Paul; M.S., Missouri University of Science and Technology'
  ➜ Skipping stray line: 'LaMolinare, Deana; M.S., Duquesne University'
  ➜ Skipping stray line: 'Lang, Cythia; MSCHe, University of Maryland'
  ➜ Skipping stray line: 'Lavieri, Edward; DCS, Colorado Technical University'
  ➜ Skipping stray line: 'Light, Gerri; M.S., Walden University'
  ➜ Skipping stray line: 'Lively, Charles; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'McFarlane, Michele; M.S., DeVry University'
  ➜ Skipping stray line: 'McLaughlin, Mike; M.S., University of Maine'
  ➜ Skipping stray line: 'Mendell, Ronald; M.S., Capitol College'
  ➜ Skipping stray line: 'Milham, Thomas; MNCM, DeVry University'
  ➜ Skipping stray line: 'Moore, Ronald; M.A., Troy University'
  ➜ Skipping stray line: 'Morrill, Ralph; Ph.D., North Central University'
  ➜ Skipping stray line: 'Ntinglet-Davis, Emelda; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Ozmer, Connie; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Paddock, Charles; Ph.D., University of Houston'
  ➜ Skipping stray line: 'Peterson, Michael; Ph.D., Capella University'
  ➜ Skipping stray line: 'Pinaire, Ken; MBA, University of Texas at Dallas'
  ➜ Skipping stray line: 'Rawlinson, David; J.D., South Texas College of Law'
  ➜ Skipping stray line: 'Schaefer, Brett; MBA, DeVry University'
  ➜ Skipping stray line: 'Shenk, Maria; M.S., City University of Seattle'
  ➜ Skipping stray line: 'Scutro, Rebecca; M.S., Saint Joseph’s University'
  ➜ Skipping stray line: 'Sewell, William; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Sher-DeCusatis, Carolyn; M.A., State University of New York at Stony Brook'
  ➜ Skipping stray line: 'Shields, Jessica; MFA, Savannah College of Art and Design'
  ➜ Skipping stray line: 'Sistelos, Antonio; Ph.D., Indiana State University'
  ➜ Skipping stray line: 'Stromberg, Scott; M.S., Nova Southeastern University'
  ➜ Skipping stray line: 'Swanson, Tom; Ph.D., Capella University'
  ➜ Skipping stray line: 'Taylor, Julinda; M.S., Wichita State University'
  ➜ Skipping stray line: 'Travis, Susan; M.A., University of Phoenix'
  ➜ Skipping stray line: 'College of Health Professions'
  ➜ Skipping stray line: 'Abdur-Rahman, Veronica; Ph.D., Texas Woman’s University'
  ➜ Skipping stray line: 'Abee, Debra; M.S., University of North Carolina Greensboro'
  ➜ Skipping stray line: 'Abraham, Gail; MSN/ED, University of Phoenix'
  ➜ Skipping stray line: 'Adams, Lora; M.S., Michigan State University'
  ➜ Skipping stray line: 'Adkins, Dee; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Allen, Juanita; DNP, University of Utah'
  ➜ Skipping stray line: 'Ashby, Shelley; DNP, University of Southern Indiana'
  ➜ Skipping stray line: 'Austgen, Donna; M.S., University of Indianapolis'
  ➜ Skipping stray line: 'Barber, Kendar; M.S., Indiana University'
  ➜ Skipping stray line: 'Battle, Linda; DNP, Regis College'
  ➜ Skipping stray line: 'Benoit, Heidi; M.S., Western Governors University'
  ➜ Skipping stray line: 'Benson, Johnett; DNP, Kent State University'
  ➜ Skipping stray line: 'Bergfeld, Marcia; M.S., Lourdes College'
  ➜ Skipping stray line: 'Berndt, Janeen; DNP, Valparaiso University'
  ➜ Skipping stray line: 'Blaine, Stephanie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Cain, Lyn; Ph.D., Grand Canyon University'
  ➜ Skipping stray line: 'Carney, Mary; DNP, Touro University – Nevada'
  ➜ Skipping stray line: 'Chau-Nguyen, Thao; MPH, Tulane University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 183'
  ➜ Skipping stray line: 'Cleveland, Melissa; DNP, Rocky Mountain University'
  ➜ Skipping stray line: 'Cloonan, Kelly; DNP, Case Western Reserve'
  ➜ Skipping stray line: 'Dahdal, Kimberly; M.S., Western Governors University'
  ➜ Skipping stray line: 'Dantzler, Barbara; Ph.D., Trident University'
  ➜ Skipping stray line: 'Diaz, Constance; Ph.D., University of Northern Colorado'
  ➜ Skipping stray line: 'Diaz, Lorna; DNP, Western University of Health Sciences'
  ➜ Skipping stray line: 'Dorin, Michelle; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Dush, Curtis; M.S., East Tennessee State University'
  ➜ Skipping stray line: 'Elmer, Justine; M.S., Kaplan University'
  ➜ Skipping stray line: 'Englert, Mary; DNP, University of North Florida'
  ➜ Skipping stray line: 'Feather, Rebecca; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Frankie, Sandra; M.S., Western Governors University'
  ➜ Skipping stray line: 'Gabel, Ann; M.S., University of Kansas'
  ➜ Skipping stray line: 'Gayol, Marcos; M.S., Aspen University'
  ➜ Skipping stray line: 'Giaquinto, Elisa; M.A., Brown University'
  ➜ Skipping stray line: 'Gogatz, Debra; DNP, Regis University'
  ➜ Skipping stray line: 'Golden, Christina; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Gottesfeld, Ilene; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Gwyn, Elizabeth; M.S., Winston Salem State University'
  ➜ Skipping stray line: 'Hadsell, Christine; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Hansen, Julie; Ph.D., South Dakota State University'
  ➜ Skipping stray line: 'Hartley-Clanton, Patricia; M.S., University of Utah'
  ➜ Skipping stray line: 'Hawkins, Shannon; M.S., Walden University'
  ➜ Skipping stray line: 'Heyer-Schmidt, Theres-Anne; ND, University of Colorado-Denver'
  ➜ Skipping stray line: 'Hill, Dana; Ph.D., Walden University'
  ➜ Skipping stray line: 'Hunt, Eleanor; M.S., Duke University'
  ➜ Skipping stray line: 'Johnson-Anderson, Heidi; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Kangas, Sandra; Ph.D., Georgia State University'
  ➜ Skipping stray line: 'Kogan, Lisa; M.S., Western Governors University'
  ➜ Skipping stray line: 'Langer Atkinson, Heidi; Ph.D., University of Albany'
  ➜ Skipping stray line: 'Lashlee, Marilyn; DNP, Northeastern University'
  ➜ Skipping stray line: 'Long, Jennifer; M.S., Indiana University'
  ➜ Skipping stray line: 'Marshall, Janet; Ph.D., Rush University'
  ➜ Title candidate: 'Masterson, Debra; Ed.D., Liberty University'
  ✔️ Collected description (40 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 7157: 'Jones, Lee; Ph.D., Clark Atlanta University'

🔍 parse_program: starting at line 7157: 'Jones, Lee; Ph.D., Clark Atlanta University'
  ➜ Title candidate: 'Jones, Lee; Ph.D., Clark Atlanta University'
  ❌ Invalid title line: 'Jones, Lee; Ph.D., Clark Atlanta University'
  ➜ Parsing at 7158: 'Kelley, Matthew; Ph.D., University of Nevada-Las Vegas'

🔍 parse_program: starting at line 7158: 'Kelley, Matthew; Ph.D., University of Nevada-Las Vegas'
  ➜ Title candidate: 'Kelley, Matthew; Ph.D., University of Nevada-Las Vegas'
  ❌ Invalid title line: 'Kelley, Matthew; Ph.D., University of Nevada-Las Vegas'
  ➜ Parsing at 7159: 'Kelly, Lynn; Ed.D., Argosy University'

🔍 parse_program: starting at line 7159: 'Kelly, Lynn; Ed.D., Argosy University'
  ➜ Title candidate: 'Kelly, Lynn; Ed.D., Argosy University'
  ❌ Invalid title line: 'Kelly, Lynn; Ed.D., Argosy University'
  ➜ Parsing at 7160: 'Knieps, Linda; Ph.D., Vanderbilt University'

🔍 parse_program: starting at line 7160: 'Knieps, Linda; Ph.D., Vanderbilt University'
  ➜ Title candidate: 'Knieps, Linda; Ph.D., Vanderbilt University'
  ❌ Invalid title line: 'Knieps, Linda; Ph.D., Vanderbilt University'
  ➜ Parsing at 7161: 'Knous, Helen; Ph.D., Texas A&M University-Commerce'

🔍 parse_program: starting at line 7161: 'Knous, Helen; Ph.D., Texas A&M University-Commerce'
  ➜ Title candidate: 'Knous, Helen; Ph.D., Texas A&M University-Commerce'
  ❌ Invalid title line: 'Knous, Helen; Ph.D., Texas A&M University-Commerce'
  ➜ Parsing at 7162: 'Landry, Stan; Ph.D., University of Arizona'

🔍 parse_program: starting at line 7162: 'Landry, Stan; Ph.D., University of Arizona'
  ➜ Title candidate: 'Landry, Stan; Ph.D., University of Arizona'
  ❌ Invalid title line: 'Landry, Stan; Ph.D., University of Arizona'
  ➜ Parsing at 7163: 'Latham, Kary; Ph.D., University of Tennessee'

🔍 parse_program: starting at line 7163: 'Latham, Kary; Ph.D., University of Tennessee'
  ➜ Title candidate: 'Latham, Kary; Ph.D., University of Tennessee'
  ❌ Invalid title line: 'Latham, Kary; Ph.D., University of Tennessee'
  ➜ Parsing at 7164: 'Lauren, Jennifer; Ph.D., Duquesne University'

🔍 parse_program: starting at line 7164: 'Lauren, Jennifer; Ph.D., Duquesne University'
  ➜ Title candidate: 'Lauren, Jennifer; Ph.D., Duquesne University'
  ❌ Invalid title line: 'Lauren, Jennifer; Ph.D., Duquesne University'
  ➜ Parsing at 7165: 'Leep, Matthew; Ph.D., University of Connecticut'

🔍 parse_program: starting at line 7165: 'Leep, Matthew; Ph.D., University of Connecticut'
  ➜ Title candidate: 'Leep, Matthew; Ph.D., University of Connecticut'
  ❌ Invalid title line: 'Leep, Matthew; Ph.D., University of Connecticut'
  ➜ Parsing at 7166: 'Lettau, Lisa; Ph.D., University of Delaware'

🔍 parse_program: starting at line 7166: 'Lettau, Lisa; Ph.D., University of Delaware'
  ➜ Title candidate: 'Lettau, Lisa; Ph.D., University of Delaware'
  ❌ Invalid title line: 'Lettau, Lisa; Ph.D., University of Delaware'
  ➜ Parsing at 7167: 'Little, David; Ph.D., University of Kentucky'

🔍 parse_program: starting at line 7167: 'Little, David; Ph.D., University of Kentucky'
  ➜ Title candidate: 'Little, David; Ph.D., University of Kentucky'
  ❌ Invalid title line: 'Little, David; Ph.D., University of Kentucky'
  ➜ Parsing at 7168: 'Lukin, Kara; Ph.D., University of Colorado'

🔍 parse_program: starting at line 7168: 'Lukin, Kara; Ph.D., University of Colorado'
  ➜ Title candidate: 'Lukin, Kara; Ph.D., University of Colorado'
  ❌ Invalid title line: 'Lukin, Kara; Ph.D., University of Colorado'
  ➜ Parsing at 7169: 'Main, Daniel; Ph.D., University of Colorado'

🔍 parse_program: starting at line 7169: 'Main, Daniel; Ph.D., University of Colorado'
  ➜ Title candidate: 'Main, Daniel; Ph.D., University of Colorado'
  ❌ Invalid title line: 'Main, Daniel; Ph.D., University of Colorado'
  ➜ Parsing at 7170: 'Mammen, John; Ed.D., University of Phoenix'

🔍 parse_program: starting at line 7170: 'Mammen, John; Ed.D., University of Phoenix'
  ➜ Title candidate: 'Mammen, John; Ed.D., University of Phoenix'
  ❌ Invalid title line: 'Mammen, John; Ed.D., University of Phoenix'
  ➜ Parsing at 7171: 'Mantooth, Stacy; Ph. D., University of Nevada – Las Vegas'

🔍 parse_program: starting at line 7171: 'Mantooth, Stacy; Ph. D., University of Nevada – Las Vegas'
  ➜ Title candidate: 'Mantooth, Stacy; Ph. D., University of Nevada – Las Vegas'
  ❌ Invalid title line: 'Mantooth, Stacy; Ph. D., University of Nevada – Las Vegas'
  ➜ Parsing at 7172: 'Martin, Jonathan; M.A., West Virginia University'

🔍 parse_program: starting at line 7172: 'Martin, Jonathan; M.A., West Virginia University'
  ➜ Title candidate: 'Martin, Jonathan; M.A., West Virginia University'
  ❌ Invalid title line: 'Martin, Jonathan; M.A., West Virginia University'
  ➜ Parsing at 7173: 'Mays, Ashley; Ph.D., University of North Carolina at Chapel Hill'

🔍 parse_program: starting at line 7173: 'Mays, Ashley; Ph.D., University of North Carolina at Chapel Hill'
  ➜ Title candidate: 'Mays, Ashley; Ph.D., University of North Carolina at Chapel Hill'
  ❌ Invalid title line: 'Mays, Ashley; Ph.D., University of North Carolina at Chapel Hill'
  ➜ Parsing at 7174: 'McCune, Timothy; Ph.D., Youngstown State University'

🔍 parse_program: starting at line 7174: 'McCune, Timothy; Ph.D., Youngstown State University'
  ➜ Title candidate: 'McCune, Timothy; Ph.D., Youngstown State University'
  ❌ Invalid title line: 'McCune, Timothy; Ph.D., Youngstown State University'
  ➜ Parsing at 7175: 'McWatters, Mason; Ph.D., University of Texas at Austin'

🔍 parse_program: starting at line 7175: 'McWatters, Mason; Ph.D., University of Texas at Austin'
  ➜ Title candidate: 'McWatters, Mason; Ph.D., University of Texas at Austin'
  ❌ Invalid title line: 'McWatters, Mason; Ph.D., University of Texas at Austin'
  ➜ Parsing at 7176: 'Metoki, Kiyoko; Ph.D., University of Kansas'

🔍 parse_program: starting at line 7176: 'Metoki, Kiyoko; Ph.D., University of Kansas'
  ➜ Title candidate: 'Metoki, Kiyoko; Ph.D., University of Kansas'
  ❌ Invalid title line: 'Metoki, Kiyoko; Ph.D., University of Kansas'
  ➜ Parsing at 7177: 'Meyer, Nicholas; Ph.D., Southern Illinois University'

🔍 parse_program: starting at line 7177: 'Meyer, Nicholas; Ph.D., Southern Illinois University'
  ➜ Title candidate: 'Meyer, Nicholas; Ph.D., Southern Illinois University'
  ❌ Invalid title line: 'Meyer, Nicholas; Ph.D., Southern Illinois University'
  ➜ Parsing at 7178: 'Miller, Don; Ph.D., Morehouse School of Medicine'

🔍 parse_program: starting at line 7178: 'Miller, Don; Ph.D., Morehouse School of Medicine'
  ➜ Title candidate: 'Miller, Don; Ph.D., Morehouse School of Medicine'
  ❌ Invalid title line: 'Miller, Don; Ph.D., Morehouse School of Medicine'
  ➜ Parsing at 7179: 'Miller, Kathleen; Ph.D., University of Delaware'

🔍 parse_program: starting at line 7179: 'Miller, Kathleen; Ph.D., University of Delaware'
  ➜ Title candidate: 'Miller, Kathleen; Ph.D., University of Delaware'
  ❌ Invalid title line: 'Miller, Kathleen; Ph.D., University of Delaware'
  ➜ Parsing at 7180: 'Moody, Vivian; Ph.D., University of Georgia'

🔍 parse_program: starting at line 7180: 'Moody, Vivian; Ph.D., University of Georgia'
  ➜ Title candidate: 'Moody, Vivian; Ph.D., University of Georgia'
  ❌ Invalid title line: 'Moody, Vivian; Ph.D., University of Georgia'
  ➜ Parsing at 7181: 'Mosgrove, Sharon; Ph.D., University of Iowa'

🔍 parse_program: starting at line 7181: 'Mosgrove, Sharon; Ph.D., University of Iowa'
  ➜ Title candidate: 'Mosgrove, Sharon; Ph.D., University of Iowa'
  ❌ Invalid title line: 'Mosgrove, Sharon; Ph.D., University of Iowa'
  ➜ Parsing at 7182: 'Moss, Meg; Ph.D., University of Tennessee-Knoxville'

🔍 parse_program: starting at line 7182: 'Moss, Meg; Ph.D., University of Tennessee-Knoxville'
  ➜ Title candidate: 'Moss, Meg; Ph.D., University of Tennessee-Knoxville'
  ❌ Invalid title line: 'Moss, Meg; Ph.D., University of Tennessee-Knoxville'
  ➜ Parsing at 7183: 'Mzoughi, Taha; Ph.D., University of South Carolina'

🔍 parse_program: starting at line 7183: 'Mzoughi, Taha; Ph.D., University of South Carolina'
  ➜ Title candidate: 'Mzoughi, Taha; Ph.D., University of South Carolina'
  ❌ Invalid title line: 'Mzoughi, Taha; Ph.D., University of South Carolina'
  ➜ Parsing at 7184: 'Nelson, Angela; Ph.D., Cornell University'

🔍 parse_program: starting at line 7184: 'Nelson, Angela; Ph.D., Cornell University'
  ➜ Title candidate: 'Nelson, Angela; Ph.D., Cornell University'
  ❌ Invalid title line: 'Nelson, Angela; Ph.D., Cornell University'
  ➜ Parsing at 7185: 'Nicley, Erinn; M.S., Florida State University'

🔍 parse_program: starting at line 7185: 'Nicley, Erinn; M.S., Florida State University'
  ➜ Title candidate: 'Nicley, Erinn; M.S., Florida State University'
  ❌ Invalid title line: 'Nicley, Erinn; M.S., Florida State University'
  ➜ Parsing at 7186: 'Norton, Cindy; Ed.D., Grand Canyon University'

🔍 parse_program: starting at line 7186: 'Norton, Cindy; Ed.D., Grand Canyon University'
  ➜ Title candidate: 'Norton, Cindy; Ed.D., Grand Canyon University'
  ❌ Invalid title line: 'Norton, Cindy; Ed.D., Grand Canyon University'
  ➜ Parsing at 7187: 'Olson, Nels; Ph.D., Michigan State University'

🔍 parse_program: starting at line 7187: 'Olson, Nels; Ph.D., Michigan State University'
  ➜ Title candidate: 'Olson, Nels; Ph.D., Michigan State University'
  ❌ Invalid title line: 'Olson, Nels; Ph.D., Michigan State University'
  ➜ Parsing at 7188: 'Oulette, David; Ph.D., Virginia Commonwealth University'

🔍 parse_program: starting at line 7188: 'Oulette, David; Ph.D., Virginia Commonwealth University'
  ➜ Title candidate: 'Oulette, David; Ph.D., Virginia Commonwealth University'
  ❌ Invalid title line: 'Oulette, David; Ph.D., Virginia Commonwealth University'
  ➜ Parsing at 7189: 'Palmer, Michael; M.F.A., University of Utah'

🔍 parse_program: starting at line 7189: 'Palmer, Michael; M.F.A., University of Utah'
  ➜ Title candidate: 'Palmer, Michael; M.F.A., University of Utah'
  ❌ Invalid title line: 'Palmer, Michael; M.F.A., University of Utah'
  ➜ Parsing at 7190: 'Pankowski, Peg; Ed.D., Duquesne University'

🔍 parse_program: starting at line 7190: 'Pankowski, Peg; Ed.D., Duquesne University'
  ➜ Title candidate: 'Pankowski, Peg; Ed.D., Duquesne University'
  ❌ Invalid title line: 'Pankowski, Peg; Ed.D., Duquesne University'
  ➜ Parsing at 7191: 'Parrish, Anca; Ph.D., University of Memphis'

🔍 parse_program: starting at line 7191: 'Parrish, Anca; Ph.D., University of Memphis'
  ➜ Title candidate: 'Parrish, Anca; Ph.D., University of Memphis'
  ❌ Invalid title line: 'Parrish, Anca; Ph.D., University of Memphis'
  ➜ Parsing at 7192: 'Parton, Sabrena; Ph.D., University of Southern Mississippi'

🔍 parse_program: starting at line 7192: 'Parton, Sabrena; Ph.D., University of Southern Mississippi'
  ➜ Title candidate: 'Parton, Sabrena; Ph.D., University of Southern Mississippi'
  ❌ Invalid title line: 'Parton, Sabrena; Ph.D., University of Southern Mississippi'
  ➜ Parsing at 7193: 'Parvin, Kathleen; Ph.D., Purdue University'

🔍 parse_program: starting at line 7193: 'Parvin, Kathleen; Ph.D., Purdue University'
  ➜ Title candidate: 'Parvin, Kathleen; Ph.D., Purdue University'
  ❌ Invalid title line: 'Parvin, Kathleen; Ph.D., Purdue University'
  ➜ Parsing at 7194: 'Peppers, Shelitha; Ed.D., Maryville University'

🔍 parse_program: starting at line 7194: 'Peppers, Shelitha; Ed.D., Maryville University'
  ➜ Title candidate: 'Peppers, Shelitha; Ed.D., Maryville University'
  ❌ Invalid title line: 'Peppers, Shelitha; Ed.D., Maryville University'
  ➜ Parsing at 7195: 'Perkins, Heidi; M.S., Excelsior College'

🔍 parse_program: starting at line 7195: 'Perkins, Heidi; M.S., Excelsior College'
  ➜ Title candidate: 'Perkins, Heidi; M.S., Excelsior College'
  ❌ Invalid title line: 'Perkins, Heidi; M.S., Excelsior College'
  ➜ Parsing at 7196: 'Phillips, Dedra; M.A., Colorado Technical University'

🔍 parse_program: starting at line 7196: 'Phillips, Dedra; M.A., Colorado Technical University'
  ➜ Title candidate: 'Phillips, Dedra; M.A., Colorado Technical University'
  ❌ Invalid title line: 'Phillips, Dedra; M.A., Colorado Technical University'
  ➜ Parsing at 7197: 'Potter, Christine; Ph.D., University of Iowa'

🔍 parse_program: starting at line 7197: 'Potter, Christine; Ph.D., University of Iowa'
  ➜ Title candidate: 'Potter, Christine; Ph.D., University of Iowa'
  ❌ Invalid title line: 'Potter, Christine; Ph.D., University of Iowa'
  ➜ Parsing at 7198: 'Quintela, Melissa; Ph.D., Indiana University'

🔍 parse_program: starting at line 7198: 'Quintela, Melissa; Ph.D., Indiana University'
  ➜ Title candidate: 'Quintela, Melissa; Ph.D., Indiana University'
  ❌ Invalid title line: 'Quintela, Melissa; Ph.D., Indiana University'
  ➜ Parsing at 7199: 'Radosavljevic, Alexander; Ph.D., University of Illinois at Chicago'

🔍 parse_program: starting at line 7199: 'Radosavljevic, Alexander; Ph.D., University of Illinois at Chicago'
  ➜ Title candidate: 'Radosavljevic, Alexander; Ph.D., University of Illinois at Chicago'
  ❌ Invalid title line: 'Radosavljevic, Alexander; Ph.D., University of Illinois at Chicago'
  ➜ Parsing at 7200: 'Redden, Cameron; MAT, Baldwin Wallace University'

🔍 parse_program: starting at line 7200: 'Redden, Cameron; MAT, Baldwin Wallace University'
  ➜ Title candidate: 'Redden, Cameron; MAT, Baldwin Wallace University'
  ❌ Invalid title line: 'Redden, Cameron; MAT, Baldwin Wallace University'
  ➜ Parsing at 7201: 'Redkey, Elizabeth; Ph.D., University at Albany, State University of New York'

🔍 parse_program: starting at line 7201: 'Redkey, Elizabeth; Ph.D., University at Albany, State University of New York'
  ➜ Title candidate: 'Redkey, Elizabeth; Ph.D., University at Albany, State University of New York'
  ❌ Invalid title line: 'Redkey, Elizabeth; Ph.D., University at Albany, State University of New York'
  ➜ Parsing at 7202: 'Remington, Theodore; Ph.D., University of Iowa'

🔍 parse_program: starting at line 7202: 'Remington, Theodore; Ph.D., University of Iowa'
  ➜ Title candidate: 'Remington, Theodore; Ph.D., University of Iowa'
  ❌ Invalid title line: 'Remington, Theodore; Ph.D., University of Iowa'
  ➜ Parsing at 7203: 'Rhodes, Kristofer; Ph.D., University of California-Irvine'

🔍 parse_program: starting at line 7203: 'Rhodes, Kristofer; Ph.D., University of California-Irvine'
  ➜ Title candidate: 'Rhodes, Kristofer; Ph.D., University of California-Irvine'
  ❌ Invalid title line: 'Rhodes, Kristofer; Ph.D., University of California-Irvine'
  ➜ Parsing at 7204: 'Robinson, Ami; Ph.D., Southern Illinois University'

🔍 parse_program: starting at line 7204: 'Robinson, Ami; Ph.D., Southern Illinois University'
  ➜ Title candidate: 'Robinson, Ami; Ph.D., Southern Illinois University'
  ❌ Invalid title line: 'Robinson, Ami; Ph.D., Southern Illinois University'
  ➜ Parsing at 7205: 'Robinson, Jeffery; Ph.D., Drew University'

🔍 parse_program: starting at line 7205: 'Robinson, Jeffery; Ph.D., Drew University'
  ➜ Title candidate: 'Robinson, Jeffery; Ph.D., Drew University'
  ❌ Invalid title line: 'Robinson, Jeffery; Ph.D., Drew University'
  ➜ Parsing at 7206: 'Rosenblatt, Heather; Ph.D., Ohio State University'

🔍 parse_program: starting at line 7206: 'Rosenblatt, Heather; Ph.D., Ohio State University'
  ➜ Title candidate: 'Rosenblatt, Heather; Ph.D., Ohio State University'
  ❌ Invalid title line: 'Rosenblatt, Heather; Ph.D., Ohio State University'
  ➜ Parsing at 7207: 'Rossi, Cynthia; Ph.D., University of Maryland'

🔍 parse_program: starting at line 7207: 'Rossi, Cynthia; Ph.D., University of Maryland'
  ➜ Title candidate: 'Rossi, Cynthia; Ph.D., University of Maryland'
  ❌ Invalid title line: 'Rossi, Cynthia; Ph.D., University of Maryland'
  ➜ Parsing at 7208: 'Saddler, Derrick; Ph.D., University of South Florida'

🔍 parse_program: starting at line 7208: 'Saddler, Derrick; Ph.D., University of South Florida'
  ➜ Title candidate: 'Saddler, Derrick; Ph.D., University of South Florida'
  ❌ Invalid title line: 'Saddler, Derrick; Ph.D., University of South Florida'
  ➜ Parsing at 7209: 'Sanchez, Melvin; Ph.D., University of California-Irvine'

🔍 parse_program: starting at line 7209: 'Sanchez, Melvin; Ph.D., University of California-Irvine'
  ➜ Title candidate: 'Sanchez, Melvin; Ph.D., University of California-Irvine'
  ❌ Invalid title line: 'Sanchez, Melvin; Ph.D., University of California-Irvine'
  ➜ Parsing at 7210: 'Scheg, Abigail; Ph.D., Indiana University of Pennsylvania'

🔍 parse_program: starting at line 7210: 'Scheg, Abigail; Ph.D., Indiana University of Pennsylvania'
  ➜ Title candidate: 'Scheg, Abigail; Ph.D., Indiana University of Pennsylvania'
  ❌ Invalid title line: 'Scheg, Abigail; Ph.D., Indiana University of Pennsylvania'
  ➜ Parsing at 7211: 'Scheib, Douglas; Ph.D., University of Miami'

🔍 parse_program: starting at line 7211: 'Scheib, Douglas; Ph.D., University of Miami'
  ➜ Title candidate: 'Scheib, Douglas; Ph.D., University of Miami'
  ❌ Invalid title line: 'Scheib, Douglas; Ph.D., University of Miami'
  ➜ Parsing at 7212: 'Scotece, Shannon; Ph.D., State University of New York - Albany'

🔍 parse_program: starting at line 7212: 'Scotece, Shannon; Ph.D., State University of New York - Albany'
  ➜ Title candidate: 'Scotece, Shannon; Ph.D., State University of New York - Albany'
  ❌ Invalid title line: 'Scotece, Shannon; Ph.D., State University of New York - Albany'
  ➜ Parsing at 7213: 'Shahi, Kimberley; Ph.D., University of Texas at Arlington'

🔍 parse_program: starting at line 7213: 'Shahi, Kimberley; Ph.D., University of Texas at Arlington'
  ➜ Title candidate: 'Shahi, Kimberley; Ph.D., University of Texas at Arlington'
  ❌ Invalid title line: 'Shahi, Kimberley; Ph.D., University of Texas at Arlington'
  ➜ Parsing at 7214: 'Sharpe, Robert; Ph.D., University of South Carolina'

🔍 parse_program: starting at line 7214: 'Sharpe, Robert; Ph.D., University of South Carolina'
  ➜ Title candidate: 'Sharpe, Robert; Ph.D., University of South Carolina'
  ❌ Invalid title line: 'Sharpe, Robert; Ph.D., University of South Carolina'
  ➜ Parsing at 7215: 'Shimotsu-Dariol, Stephanie; Ph.D., West Virginia University'

🔍 parse_program: starting at line 7215: 'Shimotsu-Dariol, Stephanie; Ph.D., West Virginia University'
  ➜ Title candidate: 'Shimotsu-Dariol, Stephanie; Ph.D., West Virginia University'
  ❌ Invalid title line: 'Shimotsu-Dariol, Stephanie; Ph.D., West Virginia University'
  ➜ Parsing at 7216: 'Simeon, Patricia; Ed.D., Grambling State University'

🔍 parse_program: starting at line 7216: 'Simeon, Patricia; Ed.D., Grambling State University'
  ➜ Title candidate: 'Simeon, Patricia; Ed.D., Grambling State University'
  ❌ Invalid title line: 'Simeon, Patricia; Ed.D., Grambling State University'
  ➜ Parsing at 7217: '© Western Governors University Jul 19, 2017 178'

🔍 parse_program: starting at line 7217: '© Western Governors University Jul 19, 2017 178'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'Simmons, Nathaniel; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Smith, Tommie; MBA, Middle Tennessee State University'
  ➜ Skipping stray line: 'Springfield, Derriell; Ed.D., East Tennessee State University'
  ➜ Skipping stray line: 'St Martin, Ashley; M.S., University of Vermont'
  ➜ Skipping stray line: 'Stambaugh, Nathaniel; Ph.D., Brandeis University'
  ➜ Skipping stray line: 'Starr, Neil; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Timmer, Kristin; Ph.D., University of Tennessee Health Science Center'
  ➜ Skipping stray line: 'Tolin Schultz, Alexandra; Ph.D., Stony Brook University'
  ➜ Skipping stray line: 'Tucker, Diana; Ph.D., Southern Illinois University Carbondale'
  ➜ Skipping stray line: 'Tweedy, Joanna; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Verber, Jason; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Vida, Anna; M.A., Arizona State University'
  ➜ Skipping stray line: 'Walker, Hope; M.A., The American University'
  ➜ Skipping stray line: 'Weaver, Matthew; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Webb, James; M.A., Pacific University'
  ➜ Skipping stray line: 'Wellinghoff, Lisa; Ph.D., University of Tulsa'
  ➜ Skipping stray line: 'Westmoreland, Brandi; Ph.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Whitson-Whennen, Tonya; M.M., University of Utah'
  ➜ Skipping stray line: 'Woolridge, Mary; Ph.D., University of Central Florida'
  ➜ Skipping stray line: 'Young, Michael; Ph.D., University of Missouri at Saint Louis'
  ➜ Skipping stray line: 'Zasadny, Jill; Ph.D., Kansas University'
  ➜ Skipping stray line: 'Teachers College'
  ➜ Skipping stray line: 'Aafif, Amal; Ph.D., Drexel University'
  ➜ Skipping stray line: 'Affleck, Alisa; M.A., Western Governors University'
  ➜ Skipping stray line: 'Allen, Elizabeth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Aranda, Christina; M.A., University of Utah'
  ➜ Skipping stray line: 'Aufderhaar, Carolyn; Ed.D., University of Cincinnati'
  ➜ Skipping stray line: 'Baxter, Marissa; Ph.D., Southern Illinois University'
  ➜ Skipping stray line: 'Belchik-Moser, Sara; Ph.D., Washington State University'
  ➜ Skipping stray line: 'Betts, Anastasia; Ph.D., Regent University'
  ➜ Skipping stray line: 'Blanks, Dorothy; Ph.D., University of Tennessee'
  ➜ Skipping stray line: 'Boen, Laurie; Ph.D., University of Arkansas'
  ➜ Skipping stray line: 'Boyd-Bradwell, Natasha; Ph.D., Capella University'
  ➜ Skipping stray line: 'Branan, Daniel; Ph.D., University of Denver'
  ➜ Skipping stray line: 'Branch, Leah; Ed.D., Bethel University'
  ➜ Skipping stray line: 'Brogan, Lynn; Ed.D., Columbia University'
  ➜ Skipping stray line: 'Brooks, Marlaina; Ed.D., Texas A&M University-Commerce'
  ➜ Skipping stray line: 'Calero, Lisa; Ph.D., Capella University'
  ➜ Skipping stray line: 'Carey, Kimberly; Ph.D., Old Dominion University'
  ➜ Skipping stray line: 'Cartwright, Nancy; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'Cohen, Kimberley; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Constanza, Michele; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Covey, Nicole; Ed.D., University of Memphis'
  ➜ Skipping stray line: 'Douglas, Deanna; Ph.D., Wichita State University'
  ➜ Skipping stray line: 'Dove, Teresa; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Dukes, Debra; Ed.D., University of Georgia'
  ➜ Skipping stray line: 'Durakiewicz, Anna; M.S., University of Marie Curie'
  ➜ Skipping stray line: 'Eisenhour, Melanie; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Feng, Suiping; Ph.D., City University of New York'
  ➜ Skipping stray line: 'Fillpot, Elsie; Ph.D., University of Iowa'
  ➜ Skipping stray line: 'Flavin, Kathryn; Ph.D., University of Illinois'
  ➜ Skipping stray line: 'Flores, Alberto; Ed.D., Grand Canyon University'
  ➜ Skipping stray line: 'Francis, David; M.A., Western Governors University'
  ➜ Skipping stray line: 'Giddens, Evelyn; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gillman, Brenna; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Gray-Dowdy, Audra; Ph.D., University of Washington'
  ➜ Skipping stray line: 'Hall, Robert; Ph.D., Capella University'
  ➜ Skipping stray line: 'Halverson, Colleen; Ph.D., University of Wisconsin-Milwaukee'
  ➜ Skipping stray line: 'Harbin, Lesley; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 179'
  ➜ Skipping stray line: 'Hardin, Bridgette; Ed.D., Texas A&M University-Corpus Christi'
  ➜ Skipping stray line: 'Hedman, Shawn; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Henry, Joanna; M.E., Lamar University'
  ➜ Skipping stray line: 'Hernandez, Julie; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Hiebel, Adam; Ed.D., Ohio University'
  ➜ Skipping stray line: 'Hudon-Miller, Sarah; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Hughes, Amy; Ed.D., University of Montana'
  ➜ Skipping stray line: 'Hutson, Tommye; Ed.D., Baylor University'
  ➜ Skipping stray line: 'Igbinoba-Cummings, Monique; Ph.D., Lynn University'
  ➜ Skipping stray line: 'Izumi, Alisa; Ed.D., University of Massachusetts'
  ➜ Skipping stray line: 'Jacobs, Patricia; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Janitzki, Dean; M.A., University of Toledo'
  ➜ Skipping stray line: 'Johnson, Sherri; Ph.D., Capella University'
  ➜ Skipping stray line: 'Jovic, Marko; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Kain, Meri; Ed.D., University of Missouri'
  ➜ Skipping stray line: 'Kelly, Gretchen; Ed.D., Walden University'
  ➜ Skipping stray line: 'Leinbach, William; Ed.D., Oregon State University'
  ➜ Skipping stray line: 'Lindemann, Steven; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Linkenhoker, Dina; Ed.D., Liberty University'
  ➜ Skipping stray line: 'Lipscomb, Pauline; Ed.D., University of the Cumberlands'
  ➜ Skipping stray line: 'Luster, Sandricia; Ed.S., Argosy University'
  ➜ Skipping stray line: 'McCarver, Patricia; Ph.D., California Institute of Integral Studies'
  ➜ Skipping stray line: 'McDaniel, Maryann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'McGrath Hovland, Michelle; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Mendes, John; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Miller, Esther; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Mills, Ginger; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Moore, Tontaleya; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Morgan, Matthew; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Mour, Jennifer; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Murray, Mary; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Obianyo, Obiamaka; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Odom, M. Katherine; Ph.D., University of South Alabama'
  ➜ Skipping stray line: 'O’Malley, Maureen; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Pack, Mamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Parry, Kelly; Ph.D., University of North Texas'
  ➜ Skipping stray line: 'Purnell, Courtney; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Quinn, Lori; M.A.Ed., Prairie View A&M University'
  ➜ Skipping stray line: 'Rahsaz, Jacqueline; M.A., University of California San Diego'
  ➜ Skipping stray line: 'Randonis, Jennifer; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Rawson, Robert; Ph.D., University of Texas Southwestern'
  ➜ Skipping stray line: 'Richen, Damara; Ed.D., Fielding Graduate University'
  ➜ Skipping stray line: 'Robles, Veronica; Ed.D., Arizona State University'
  ➜ Skipping stray line: 'Rogers, Carmelle; Ph.D., Kansas State University'
  ➜ Skipping stray line: 'Russell-Fry, Nancy; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Scales, Rebecca; M.A., Western Governors University'
  ➜ Skipping stray line: 'Schmidt, Stan; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Sepetys, Peggy; Ed.D., University of Michigan'
  ➜ Skipping stray line: 'Shrader, Vincent; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Silver, Jennifer; Ph.D., New York University'
  ➜ Skipping stray line: 'Sims, Rachel; Ed.D., Walden University'
  ➜ Skipping stray line: 'Smith, Janeal; Ph.D., Walden University'
  ➜ Skipping stray line: 'Spencer, Kristin; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Story, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Swenson, Karl; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Thompson, Julie; Ph.D., University of Rochester'
  ➜ Skipping stray line: 'Traub-Metlay, Suzanne; Ph.D., University of Pittsburg'
  ➜ Skipping stray line: 'Tresnak, Robyn; Ph.D., Walden University'
  ➜ Skipping stray line: 'Turner, Carmen; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Vickers, Paul; Ed.D., Stephen F. Austin State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 180'
  ➜ Skipping stray line: 'Walter-Sullivan, Earnestyne; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'Weinstein, Gideon; Ph.D., Indiana University Bloomington'
  ➜ Skipping stray line: 'Whitmire, Jane; Ph.D., University of Montana'
  ➜ Skipping stray line: 'Willey-Rendon, Ruby; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Williams, Lacey; Ed.D., Union Institute and University'
  ➜ Skipping stray line: 'Wisnosky, Marc; Ph.D., University of Pittsburgh'
  ➜ Skipping stray line: 'Yanusheva, Lidiya; Ed.D., Walden University'
  ➜ Skipping stray line: 'Yatherajam, Gayatri; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Zartman, Krista; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Zimmerli, Mandy; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'College of Business'
  ➜ Skipping stray line: 'Abubakari, Nina; J.D., Wayne State University'
  ➜ Skipping stray line: 'Adler, Kathleen; Ph.D., Southern Methodist University'
  ➜ Skipping stray line: 'Alafita, Theresa; Ph.D., George Washington University'
  ➜ Skipping stray line: 'Arenz, Russell; Ph.D., Colorado Technical University'
  ➜ Skipping stray line: 'Argiento, Steven; J.D., Pace University'
  ➜ Skipping stray line: 'Austin, Judy; MBA, Western Governors University'
  ➜ Skipping stray line: 'Baragoshi, Behroz; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Barton, Robert; Ed.S., Utah State University'
  ➜ Skipping stray line: 'Black, Hilda; Ph.D., Louisiana Tech University'
  ➜ Skipping stray line: 'Borch, Casey; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Boysen-Rotelli, Sheila; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Brownstein, Steven; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Carson, Pook; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Cassell, Kenneth; MBA, San Jose State University'
  ➜ Skipping stray line: 'Cherry, Patricia; Ph.D., Capella University'
  ➜ Skipping stray line: 'Clarke, Jeffrey; Ph.D., University of California-Los Angeles'
  ➜ Skipping stray line: 'Connor, Martin; J.D., University of North Dakota'
  ➜ Skipping stray line: 'Davis, Lorretta; Ph.D., Capella University'
  ➜ Skipping stray line: 'Davis, Mary; Ed.D., Central Michigan University'
  ➜ Skipping stray line: 'Doctorman, Lindsey; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Doren, Andrew; D.M., University of Maryland'
  ➜ Skipping stray line: 'Dula, Kimberly; Ph.D., Mercer University'
  ➜ Skipping stray line: 'Duran, Anthony; DBA, Grand Canyon University'
  ➜ Skipping stray line: 'Ennis, Erica; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Etter, Edwin; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Feehery, George; DBA, Nova Southeastern University'
  ➜ Skipping stray line: 'Fisher, Paul; Ph.D., Oregon State University'
  ➜ Skipping stray line: 'Gallo, Merry; DBA, Argosy University'
  ➜ Skipping stray line: 'Garland, Jennifer; DBA, Keiser University'
  ➜ Skipping stray line: 'Geddes, Bruce; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gilyot, Bianca; MBA, Northcentral University'
  ➜ Skipping stray line: 'Giscombe, Hilbert; DBA, Argosy University'
  ➜ Skipping stray line: 'Gough, Gregory; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Green, Maurice; Ph.D., University at Albany – State University of New York'
  ➜ Skipping stray line: 'Gunn, Linda; Ph.D., Union Institute and University'
  ➜ Skipping stray line: 'Havins, Merwin; Ed.D., Northern Arizona University'
  ➜ Skipping stray line: 'Heinzman, Joseph; DM, Colorado Technical University'
  ➜ Skipping stray line: 'Hon, Charles; Ph.D., Capella University'
  ➜ Skipping stray line: 'Hudson, Brandi; J.D., Regent University'
  ➜ Skipping stray line: 'Iannucci, Brian; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Imboden, Paul; DBA., Northcentral University'
  ➜ Skipping stray line: 'Jividen, Jim; J.D., Ohio Northern University'
  ➜ Skipping stray line: 'Jones, Alan; MBA, Dartmouth College'
  ➜ Skipping stray line: 'Justice, Jeanne; DBA, Walden University'
  ➜ Skipping stray line: 'Kale, Mrinalini; Ph.D., Capella University'
  ➜ Skipping stray line: 'Kenny, Timothy; M.S., Regis University'
  ➜ Skipping stray line: 'Kowalski, Christine; Ed.D., National Louis University'
  ➜ Skipping stray line: 'Kushniroff, Melinda; Ed.D., Liberty University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 181'
  ➜ Skipping stray line: 'La Hay, Ann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Lagroue, Harold; Ph.D., Louisiana State University'
  ➜ Skipping stray line: 'Lamer, Maryann; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Langdon, Debra; MBA, Denver University'
  ➜ Skipping stray line: 'Lutter-Cooper, Victoria; Ph.D., Capella University'
  ➜ Skipping stray line: 'Marshall, Mario; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'McClesky, Jamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'McNulty, Peggy; Ph.D., University of Colorado-Colorado Springs'
  ➜ Skipping stray line: 'Melton, Rebecca; Ph.D., Chicago School of Professional Psychology'
  ➜ Skipping stray line: 'Mills, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Moore, Detria; J.D., Liberty University'
  ➜ Skipping stray line: 'Neely, Cecil; MBA, University of North Carolina at Greensboro'
  ➜ Skipping stray line: 'Nelms, Linda; Ph.D., Capella University'
  ➜ Skipping stray line: 'Nelson, Camille; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'O’Brien, Joseph; Ed.D., George Washington University'
  ➜ Skipping stray line: 'Openshaw, Matthew; Ph.D., University of Texas at Dallas'
  ➜ Skipping stray line: 'Parish, Beth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Patterson, Julie; Ph.D., University of Illinois at Urbana-Champaign'
  ➜ Skipping stray line: 'Pawarski, Richard; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Phillips, Patti; J.D., Stetson University'
  ➜ Skipping stray line: 'Pratt, Christopher; DHA, University of Phoenix'
  ➜ Skipping stray line: 'Raimo, Steve; DSL, Regent University'
  ➜ Skipping stray line: 'Richardson, Shay; DBA, Walden University'
  ➜ Skipping stray line: 'Roberts, Tracia; M.S., University of Phoenix'
  ➜ Skipping stray line: 'Roberts, Wade; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Rogers, Katie; MBA, University of Utah'
  ➜ Skipping stray line: 'Sawant, Gauri; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Shah, Rob; MBA, DeVry University'
  ➜ Skipping stray line: 'Shepherd, Tracie; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Skinner, Susan; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Snipes, Dawna; J.D., Western Michigan University'
  ➜ Skipping stray line: 'Souder, Michele; MBA, University of Dayton'
  ➜ Skipping stray line: 'Spicer, Ronald; Ph.D., Capella University'
  ➜ Skipping stray line: 'Stewart, Michelle; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Strickland, Cynthia; Ph.D., Touro University International'
  ➜ Skipping stray line: 'Swarthout, Nanette; MBA, Fontbonne University'
  ➜ Skipping stray line: 'Tapp, Timothy; MHA, Washington University'
  ➜ Skipping stray line: 'Thomas, Melanie; J.D., University of North Carolina'
  ➜ Skipping stray line: 'Venkateswar, Sankaran; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Wachter, Eddie; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Wade, Keith; MBA, University of Detroit'
  ➜ Skipping stray line: 'Walker, Natalie; DBA, Keiser University'
  ➜ Skipping stray line: 'Wang, Xiaofei; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Williams, Pegeen; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Williams, Rian; MPA, University of Utah'
  ➜ Skipping stray line: 'Wood, Carrie; M.S., Strayer University'
  ➜ Skipping stray line: 'College of Information Technology'
  ➜ Skipping stray line: 'Al-Husaam, Abdul; Ph.D., Capella University'
  ➜ Skipping stray line: 'Alberici, Mary; Ph.D., University of Missouri-St. Louis'
  ➜ Skipping stray line: 'Allen, Candice; M.A., Capella University'
  ➜ Skipping stray line: 'Antonucci, Amy; M.S., University of Delaware'
  ➜ Skipping stray line: 'Banerjee, Pubali; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'Beverley, Charles; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Blanson, Constance; Ph.D., Capella University'
  ➜ Skipping stray line: 'Bojonny, John; M.S., Marywood University'
  ➜ Skipping stray line: 'Borsum, Pamela; MBA, Western Governors University'
  ➜ Skipping stray line: 'Campbell, Wendy; DBA, Northcentral University'
  ➜ Skipping stray line: 'Carter, Betty; M.S., Troy University'
  ➜ Skipping stray line: 'Cobbs, Dana; M.S., College of William and Mary'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 182'
  ➜ Skipping stray line: 'Cook, Henry; M.S., Clark Atlanta University'
  ➜ Skipping stray line: 'Crawford, Demetria; M.S., Boston University'
  ➜ Skipping stray line: 'Dupree, Yolanda; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Farmer, Jaynee; M.A., University of Arkansas at Little Rock'
  ➜ Skipping stray line: 'Ferdinand, Jeff; M.S., Trident University International'
  ➜ Skipping stray line: 'Gardner, Diana; MBA, Western Governors University'
  ➜ Skipping stray line: 'Garza, Brian; M.S., Western Governors University'
  ➜ Skipping stray line: 'Goodwin, Orenthio; Ph.D., Capella University'
  ➜ Skipping stray line: 'Heiner, Jenny; M.S., Capitol College'
  ➜ Skipping stray line: 'Huff, David; Ph.D., Wayne State University'
  ➜ Skipping stray line: 'Jensen, Bryan; M.S., Bellvue University'
  ➜ Skipping stray line: 'Kercher, Paul; M.S., Missouri University of Science and Technology'
  ➜ Skipping stray line: 'LaMolinare, Deana; M.S., Duquesne University'
  ➜ Skipping stray line: 'Lang, Cythia; MSCHe, University of Maryland'
  ➜ Skipping stray line: 'Lavieri, Edward; DCS, Colorado Technical University'
  ➜ Skipping stray line: 'Light, Gerri; M.S., Walden University'
  ➜ Skipping stray line: 'Lively, Charles; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'McFarlane, Michele; M.S., DeVry University'
  ➜ Skipping stray line: 'McLaughlin, Mike; M.S., University of Maine'
  ➜ Skipping stray line: 'Mendell, Ronald; M.S., Capitol College'
  ➜ Skipping stray line: 'Milham, Thomas; MNCM, DeVry University'
  ➜ Skipping stray line: 'Moore, Ronald; M.A., Troy University'
  ➜ Skipping stray line: 'Morrill, Ralph; Ph.D., North Central University'
  ➜ Skipping stray line: 'Ntinglet-Davis, Emelda; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Ozmer, Connie; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Paddock, Charles; Ph.D., University of Houston'
  ➜ Skipping stray line: 'Peterson, Michael; Ph.D., Capella University'
  ➜ Skipping stray line: 'Pinaire, Ken; MBA, University of Texas at Dallas'
  ➜ Skipping stray line: 'Rawlinson, David; J.D., South Texas College of Law'
  ➜ Skipping stray line: 'Schaefer, Brett; MBA, DeVry University'
  ➜ Skipping stray line: 'Shenk, Maria; M.S., City University of Seattle'
  ➜ Skipping stray line: 'Scutro, Rebecca; M.S., Saint Joseph’s University'
  ➜ Skipping stray line: 'Sewell, William; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Sher-DeCusatis, Carolyn; M.A., State University of New York at Stony Brook'
  ➜ Skipping stray line: 'Shields, Jessica; MFA, Savannah College of Art and Design'
  ➜ Skipping stray line: 'Sistelos, Antonio; Ph.D., Indiana State University'
  ➜ Skipping stray line: 'Stromberg, Scott; M.S., Nova Southeastern University'
  ➜ Skipping stray line: 'Swanson, Tom; Ph.D., Capella University'
  ➜ Skipping stray line: 'Taylor, Julinda; M.S., Wichita State University'
  ➜ Skipping stray line: 'Travis, Susan; M.A., University of Phoenix'
  ➜ Skipping stray line: 'College of Health Professions'
  ➜ Skipping stray line: 'Abdur-Rahman, Veronica; Ph.D., Texas Woman’s University'
  ➜ Skipping stray line: 'Abee, Debra; M.S., University of North Carolina Greensboro'
  ➜ Skipping stray line: 'Abraham, Gail; MSN/ED, University of Phoenix'
  ➜ Skipping stray line: 'Adams, Lora; M.S., Michigan State University'
  ➜ Skipping stray line: 'Adkins, Dee; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Allen, Juanita; DNP, University of Utah'
  ➜ Skipping stray line: 'Ashby, Shelley; DNP, University of Southern Indiana'
  ➜ Skipping stray line: 'Austgen, Donna; M.S., University of Indianapolis'
  ➜ Skipping stray line: 'Barber, Kendar; M.S., Indiana University'
  ➜ Skipping stray line: 'Battle, Linda; DNP, Regis College'
  ➜ Skipping stray line: 'Benoit, Heidi; M.S., Western Governors University'
  ➜ Skipping stray line: 'Benson, Johnett; DNP, Kent State University'
  ➜ Skipping stray line: 'Bergfeld, Marcia; M.S., Lourdes College'
  ➜ Skipping stray line: 'Berndt, Janeen; DNP, Valparaiso University'
  ➜ Skipping stray line: 'Blaine, Stephanie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Cain, Lyn; Ph.D., Grand Canyon University'
  ➜ Skipping stray line: 'Carney, Mary; DNP, Touro University – Nevada'
  ➜ Skipping stray line: 'Chau-Nguyen, Thao; MPH, Tulane University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 183'
  ➜ Skipping stray line: 'Cleveland, Melissa; DNP, Rocky Mountain University'
  ➜ Skipping stray line: 'Cloonan, Kelly; DNP, Case Western Reserve'
  ➜ Skipping stray line: 'Dahdal, Kimberly; M.S., Western Governors University'
  ➜ Skipping stray line: 'Dantzler, Barbara; Ph.D., Trident University'
  ➜ Skipping stray line: 'Diaz, Constance; Ph.D., University of Northern Colorado'
  ➜ Skipping stray line: 'Diaz, Lorna; DNP, Western University of Health Sciences'
  ➜ Skipping stray line: 'Dorin, Michelle; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Dush, Curtis; M.S., East Tennessee State University'
  ➜ Skipping stray line: 'Elmer, Justine; M.S., Kaplan University'
  ➜ Skipping stray line: 'Englert, Mary; DNP, University of North Florida'
  ➜ Skipping stray line: 'Feather, Rebecca; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Frankie, Sandra; M.S., Western Governors University'
  ➜ Skipping stray line: 'Gabel, Ann; M.S., University of Kansas'
  ➜ Skipping stray line: 'Gayol, Marcos; M.S., Aspen University'
  ➜ Skipping stray line: 'Giaquinto, Elisa; M.A., Brown University'
  ➜ Skipping stray line: 'Gogatz, Debra; DNP, Regis University'
  ➜ Skipping stray line: 'Golden, Christina; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Gottesfeld, Ilene; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Gwyn, Elizabeth; M.S., Winston Salem State University'
  ➜ Skipping stray line: 'Hadsell, Christine; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Hansen, Julie; Ph.D., South Dakota State University'
  ➜ Skipping stray line: 'Hartley-Clanton, Patricia; M.S., University of Utah'
  ➜ Skipping stray line: 'Hawkins, Shannon; M.S., Walden University'
  ➜ Skipping stray line: 'Heyer-Schmidt, Theres-Anne; ND, University of Colorado-Denver'
  ➜ Skipping stray line: 'Hill, Dana; Ph.D., Walden University'
  ➜ Skipping stray line: 'Hunt, Eleanor; M.S., Duke University'
  ➜ Skipping stray line: 'Johnson-Anderson, Heidi; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Kangas, Sandra; Ph.D., Georgia State University'
  ➜ Skipping stray line: 'Kogan, Lisa; M.S., Western Governors University'
  ➜ Skipping stray line: 'Langer Atkinson, Heidi; Ph.D., University of Albany'
  ➜ Skipping stray line: 'Lashlee, Marilyn; DNP, Northeastern University'
  ➜ Skipping stray line: 'Long, Jennifer; M.S., Indiana University'
  ➜ Skipping stray line: 'Marshall, Janet; Ph.D., Rush University'
  ➜ Title candidate: 'Masterson, Debra; Ed.D., Liberty University'
  ✔️ Collected description (40 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 7218: 'Simmons, Nathaniel; Ph.D., Ohio University'

🔍 parse_program: starting at line 7218: 'Simmons, Nathaniel; Ph.D., Ohio University'
  ➜ Title candidate: 'Simmons, Nathaniel; Ph.D., Ohio University'
  ❌ Invalid title line: 'Simmons, Nathaniel; Ph.D., Ohio University'
  ➜ Parsing at 7219: 'Smith, Tommie; MBA, Middle Tennessee State University'

🔍 parse_program: starting at line 7219: 'Smith, Tommie; MBA, Middle Tennessee State University'
  ➜ Title candidate: 'Smith, Tommie; MBA, Middle Tennessee State University'
  ❌ Invalid title line: 'Smith, Tommie; MBA, Middle Tennessee State University'
  ➜ Parsing at 7220: 'Springfield, Derriell; Ed.D., East Tennessee State University'

🔍 parse_program: starting at line 7220: 'Springfield, Derriell; Ed.D., East Tennessee State University'
  ➜ Title candidate: 'Springfield, Derriell; Ed.D., East Tennessee State University'
  ❌ Invalid title line: 'Springfield, Derriell; Ed.D., East Tennessee State University'
  ➜ Parsing at 7221: 'St Martin, Ashley; M.S., University of Vermont'

🔍 parse_program: starting at line 7221: 'St Martin, Ashley; M.S., University of Vermont'
  ➜ Title candidate: 'St Martin, Ashley; M.S., University of Vermont'
  ❌ Invalid title line: 'St Martin, Ashley; M.S., University of Vermont'
  ➜ Parsing at 7222: 'Stambaugh, Nathaniel; Ph.D., Brandeis University'

🔍 parse_program: starting at line 7222: 'Stambaugh, Nathaniel; Ph.D., Brandeis University'
  ➜ Title candidate: 'Stambaugh, Nathaniel; Ph.D., Brandeis University'
  ❌ Invalid title line: 'Stambaugh, Nathaniel; Ph.D., Brandeis University'
  ➜ Parsing at 7223: 'Starr, Neil; Ed.D., Nova Southeastern University'

🔍 parse_program: starting at line 7223: 'Starr, Neil; Ed.D., Nova Southeastern University'
  ➜ Title candidate: 'Starr, Neil; Ed.D., Nova Southeastern University'
  ❌ Invalid title line: 'Starr, Neil; Ed.D., Nova Southeastern University'
  ➜ Parsing at 7224: 'Timmer, Kristin; Ph.D., University of Tennessee Health Science Center'

🔍 parse_program: starting at line 7224: 'Timmer, Kristin; Ph.D., University of Tennessee Health Science Center'
  ➜ Title candidate: 'Timmer, Kristin; Ph.D., University of Tennessee Health Science Center'
  ❌ Invalid title line: 'Timmer, Kristin; Ph.D., University of Tennessee Health Science Center'
  ➜ Parsing at 7225: 'Tolin Schultz, Alexandra; Ph.D., Stony Brook University'

🔍 parse_program: starting at line 7225: 'Tolin Schultz, Alexandra; Ph.D., Stony Brook University'
  ➜ Title candidate: 'Tolin Schultz, Alexandra; Ph.D., Stony Brook University'
  ❌ Invalid title line: 'Tolin Schultz, Alexandra; Ph.D., Stony Brook University'
  ➜ Parsing at 7226: 'Tucker, Diana; Ph.D., Southern Illinois University Carbondale'

🔍 parse_program: starting at line 7226: 'Tucker, Diana; Ph.D., Southern Illinois University Carbondale'
  ➜ Title candidate: 'Tucker, Diana; Ph.D., Southern Illinois University Carbondale'
  ❌ Invalid title line: 'Tucker, Diana; Ph.D., Southern Illinois University Carbondale'
  ➜ Parsing at 7227: 'Tweedy, Joanna; Ph.D., Benedictine University'

🔍 parse_program: starting at line 7227: 'Tweedy, Joanna; Ph.D., Benedictine University'
  ➜ Title candidate: 'Tweedy, Joanna; Ph.D., Benedictine University'
  ❌ Invalid title line: 'Tweedy, Joanna; Ph.D., Benedictine University'
  ➜ Parsing at 7228: 'Verber, Jason; Ph.D., University of Iowa'

🔍 parse_program: starting at line 7228: 'Verber, Jason; Ph.D., University of Iowa'
  ➜ Title candidate: 'Verber, Jason; Ph.D., University of Iowa'
  ❌ Invalid title line: 'Verber, Jason; Ph.D., University of Iowa'
  ➜ Parsing at 7229: 'Vida, Anna; M.A., Arizona State University'

🔍 parse_program: starting at line 7229: 'Vida, Anna; M.A., Arizona State University'
  ➜ Title candidate: 'Vida, Anna; M.A., Arizona State University'
  ❌ Invalid title line: 'Vida, Anna; M.A., Arizona State University'
  ➜ Parsing at 7230: 'Walker, Hope; M.A., The American University'

🔍 parse_program: starting at line 7230: 'Walker, Hope; M.A., The American University'
  ➜ Title candidate: 'Walker, Hope; M.A., The American University'
  ❌ Invalid title line: 'Walker, Hope; M.A., The American University'
  ➜ Parsing at 7231: 'Weaver, Matthew; Ph.D., Washington State University'

🔍 parse_program: starting at line 7231: 'Weaver, Matthew; Ph.D., Washington State University'
  ➜ Title candidate: 'Weaver, Matthew; Ph.D., Washington State University'
  ❌ Invalid title line: 'Weaver, Matthew; Ph.D., Washington State University'
  ➜ Parsing at 7232: 'Webb, James; M.A., Pacific University'

🔍 parse_program: starting at line 7232: 'Webb, James; M.A., Pacific University'
  ➜ Title candidate: 'Webb, James; M.A., Pacific University'
  ❌ Invalid title line: 'Webb, James; M.A., Pacific University'
  ➜ Parsing at 7233: 'Wellinghoff, Lisa; Ph.D., University of Tulsa'

🔍 parse_program: starting at line 7233: 'Wellinghoff, Lisa; Ph.D., University of Tulsa'
  ➜ Title candidate: 'Wellinghoff, Lisa; Ph.D., University of Tulsa'
  ❌ Invalid title line: 'Wellinghoff, Lisa; Ph.D., University of Tulsa'
  ➜ Parsing at 7234: 'Westmoreland, Brandi; Ph.D., Texas A&M University-Commerce'

🔍 parse_program: starting at line 7234: 'Westmoreland, Brandi; Ph.D., Texas A&M University-Commerce'
  ➜ Title candidate: 'Westmoreland, Brandi; Ph.D., Texas A&M University-Commerce'
  ❌ Invalid title line: 'Westmoreland, Brandi; Ph.D., Texas A&M University-Commerce'
  ➜ Parsing at 7235: 'Whitson-Whennen, Tonya; M.M., University of Utah'

🔍 parse_program: starting at line 7235: 'Whitson-Whennen, Tonya; M.M., University of Utah'
  ➜ Title candidate: 'Whitson-Whennen, Tonya; M.M., University of Utah'
  ❌ Invalid title line: 'Whitson-Whennen, Tonya; M.M., University of Utah'
  ➜ Parsing at 7236: 'Woolridge, Mary; Ph.D., University of Central Florida'

🔍 parse_program: starting at line 7236: 'Woolridge, Mary; Ph.D., University of Central Florida'
  ➜ Title candidate: 'Woolridge, Mary; Ph.D., University of Central Florida'
  ❌ Invalid title line: 'Woolridge, Mary; Ph.D., University of Central Florida'
  ➜ Parsing at 7237: 'Young, Michael; Ph.D., University of Missouri at Saint Louis'

🔍 parse_program: starting at line 7237: 'Young, Michael; Ph.D., University of Missouri at Saint Louis'
  ➜ Title candidate: 'Young, Michael; Ph.D., University of Missouri at Saint Louis'
  ❌ Invalid title line: 'Young, Michael; Ph.D., University of Missouri at Saint Louis'
  ➜ Parsing at 7238: 'Zasadny, Jill; Ph.D., Kansas University'

🔍 parse_program: starting at line 7238: 'Zasadny, Jill; Ph.D., Kansas University'
  ➜ Title candidate: 'Zasadny, Jill; Ph.D., Kansas University'
  ❌ Invalid title line: 'Zasadny, Jill; Ph.D., Kansas University'
  ➜ Parsing at 7239: 'Teachers College'

🔍 parse_program: starting at line 7239: 'Teachers College'
  ➜ Title candidate: 'Teachers College'
  ❌ Invalid title line: 'Teachers College'
  ➜ Parsing at 7240: 'Aafif, Amal; Ph.D., Drexel University'

🔍 parse_program: starting at line 7240: 'Aafif, Amal; Ph.D., Drexel University'
  ➜ Title candidate: 'Aafif, Amal; Ph.D., Drexel University'
  ❌ Invalid title line: 'Aafif, Amal; Ph.D., Drexel University'
  ➜ Parsing at 7241: 'Affleck, Alisa; M.A., Western Governors University'

🔍 parse_program: starting at line 7241: 'Affleck, Alisa; M.A., Western Governors University'
  ➜ Title candidate: 'Affleck, Alisa; M.A., Western Governors University'
  ❌ Invalid title line: 'Affleck, Alisa; M.A., Western Governors University'
  ➜ Parsing at 7242: 'Allen, Elizabeth; Ed.D., Argosy University'

🔍 parse_program: starting at line 7242: 'Allen, Elizabeth; Ed.D., Argosy University'
  ➜ Title candidate: 'Allen, Elizabeth; Ed.D., Argosy University'
  ❌ Invalid title line: 'Allen, Elizabeth; Ed.D., Argosy University'
  ➜ Parsing at 7243: 'Aranda, Christina; M.A., University of Utah'

🔍 parse_program: starting at line 7243: 'Aranda, Christina; M.A., University of Utah'
  ➜ Title candidate: 'Aranda, Christina; M.A., University of Utah'
  ❌ Invalid title line: 'Aranda, Christina; M.A., University of Utah'
  ➜ Parsing at 7244: 'Aufderhaar, Carolyn; Ed.D., University of Cincinnati'

🔍 parse_program: starting at line 7244: 'Aufderhaar, Carolyn; Ed.D., University of Cincinnati'
  ➜ Title candidate: 'Aufderhaar, Carolyn; Ed.D., University of Cincinnati'
  ❌ Invalid title line: 'Aufderhaar, Carolyn; Ed.D., University of Cincinnati'
  ➜ Parsing at 7245: 'Baxter, Marissa; Ph.D., Southern Illinois University'

🔍 parse_program: starting at line 7245: 'Baxter, Marissa; Ph.D., Southern Illinois University'
  ➜ Title candidate: 'Baxter, Marissa; Ph.D., Southern Illinois University'
  ❌ Invalid title line: 'Baxter, Marissa; Ph.D., Southern Illinois University'
  ➜ Parsing at 7246: 'Belchik-Moser, Sara; Ph.D., Washington State University'

🔍 parse_program: starting at line 7246: 'Belchik-Moser, Sara; Ph.D., Washington State University'
  ➜ Title candidate: 'Belchik-Moser, Sara; Ph.D., Washington State University'
  ❌ Invalid title line: 'Belchik-Moser, Sara; Ph.D., Washington State University'
  ➜ Parsing at 7247: 'Betts, Anastasia; Ph.D., Regent University'

🔍 parse_program: starting at line 7247: 'Betts, Anastasia; Ph.D., Regent University'
  ➜ Title candidate: 'Betts, Anastasia; Ph.D., Regent University'
  ❌ Invalid title line: 'Betts, Anastasia; Ph.D., Regent University'
  ➜ Parsing at 7248: 'Blanks, Dorothy; Ph.D., University of Tennessee'

🔍 parse_program: starting at line 7248: 'Blanks, Dorothy; Ph.D., University of Tennessee'
  ➜ Title candidate: 'Blanks, Dorothy; Ph.D., University of Tennessee'
  ❌ Invalid title line: 'Blanks, Dorothy; Ph.D., University of Tennessee'
  ➜ Parsing at 7249: 'Boen, Laurie; Ph.D., University of Arkansas'

🔍 parse_program: starting at line 7249: 'Boen, Laurie; Ph.D., University of Arkansas'
  ➜ Title candidate: 'Boen, Laurie; Ph.D., University of Arkansas'
  ❌ Invalid title line: 'Boen, Laurie; Ph.D., University of Arkansas'
  ➜ Parsing at 7250: 'Boyd-Bradwell, Natasha; Ph.D., Capella University'

🔍 parse_program: starting at line 7250: 'Boyd-Bradwell, Natasha; Ph.D., Capella University'
  ➜ Title candidate: 'Boyd-Bradwell, Natasha; Ph.D., Capella University'
  ❌ Invalid title line: 'Boyd-Bradwell, Natasha; Ph.D., Capella University'
  ➜ Parsing at 7251: 'Branan, Daniel; Ph.D., University of Denver'

🔍 parse_program: starting at line 7251: 'Branan, Daniel; Ph.D., University of Denver'
  ➜ Title candidate: 'Branan, Daniel; Ph.D., University of Denver'
  ❌ Invalid title line: 'Branan, Daniel; Ph.D., University of Denver'
  ➜ Parsing at 7252: 'Branch, Leah; Ed.D., Bethel University'

🔍 parse_program: starting at line 7252: 'Branch, Leah; Ed.D., Bethel University'
  ➜ Title candidate: 'Branch, Leah; Ed.D., Bethel University'
  ❌ Invalid title line: 'Branch, Leah; Ed.D., Bethel University'
  ➜ Parsing at 7253: 'Brogan, Lynn; Ed.D., Columbia University'

🔍 parse_program: starting at line 7253: 'Brogan, Lynn; Ed.D., Columbia University'
  ➜ Title candidate: 'Brogan, Lynn; Ed.D., Columbia University'
  ❌ Invalid title line: 'Brogan, Lynn; Ed.D., Columbia University'
  ➜ Parsing at 7254: 'Brooks, Marlaina; Ed.D., Texas A&M University-Commerce'

🔍 parse_program: starting at line 7254: 'Brooks, Marlaina; Ed.D., Texas A&M University-Commerce'
  ➜ Title candidate: 'Brooks, Marlaina; Ed.D., Texas A&M University-Commerce'
  ❌ Invalid title line: 'Brooks, Marlaina; Ed.D., Texas A&M University-Commerce'
  ➜ Parsing at 7255: 'Calero, Lisa; Ph.D., Capella University'

🔍 parse_program: starting at line 7255: 'Calero, Lisa; Ph.D., Capella University'
  ➜ Title candidate: 'Calero, Lisa; Ph.D., Capella University'
  ❌ Invalid title line: 'Calero, Lisa; Ph.D., Capella University'
  ➜ Parsing at 7256: 'Carey, Kimberly; Ph.D., Old Dominion University'

🔍 parse_program: starting at line 7256: 'Carey, Kimberly; Ph.D., Old Dominion University'
  ➜ Title candidate: 'Carey, Kimberly; Ph.D., Old Dominion University'
  ❌ Invalid title line: 'Carey, Kimberly; Ph.D., Old Dominion University'
  ➜ Parsing at 7257: 'Cartwright, Nancy; Ph.D., Gonzaga University'

🔍 parse_program: starting at line 7257: 'Cartwright, Nancy; Ph.D., Gonzaga University'
  ➜ Title candidate: 'Cartwright, Nancy; Ph.D., Gonzaga University'
  ❌ Invalid title line: 'Cartwright, Nancy; Ph.D., Gonzaga University'
  ➜ Parsing at 7258: 'Cohen, Kimberley; Ph.D., University of Iowa'

🔍 parse_program: starting at line 7258: 'Cohen, Kimberley; Ph.D., University of Iowa'
  ➜ Title candidate: 'Cohen, Kimberley; Ph.D., University of Iowa'
  ❌ Invalid title line: 'Cohen, Kimberley; Ph.D., University of Iowa'
  ➜ Parsing at 7259: 'Constanza, Michele; Ph.D., University of Kansas'

🔍 parse_program: starting at line 7259: 'Constanza, Michele; Ph.D., University of Kansas'
  ➜ Title candidate: 'Constanza, Michele; Ph.D., University of Kansas'
  ❌ Invalid title line: 'Constanza, Michele; Ph.D., University of Kansas'
  ➜ Parsing at 7260: 'Covey, Nicole; Ed.D., University of Memphis'

🔍 parse_program: starting at line 7260: 'Covey, Nicole; Ed.D., University of Memphis'
  ➜ Title candidate: 'Covey, Nicole; Ed.D., University of Memphis'
  ❌ Invalid title line: 'Covey, Nicole; Ed.D., University of Memphis'
  ➜ Parsing at 7261: 'Douglas, Deanna; Ph.D., Wichita State University'

🔍 parse_program: starting at line 7261: 'Douglas, Deanna; Ph.D., Wichita State University'
  ➜ Title candidate: 'Douglas, Deanna; Ph.D., Wichita State University'
  ❌ Invalid title line: 'Douglas, Deanna; Ph.D., Wichita State University'
  ➜ Parsing at 7262: 'Dove, Teresa; Ed.D., Nova Southeastern University'

🔍 parse_program: starting at line 7262: 'Dove, Teresa; Ed.D., Nova Southeastern University'
  ➜ Title candidate: 'Dove, Teresa; Ed.D., Nova Southeastern University'
  ❌ Invalid title line: 'Dove, Teresa; Ed.D., Nova Southeastern University'
  ➜ Parsing at 7263: 'Dukes, Debra; Ed.D., University of Georgia'

🔍 parse_program: starting at line 7263: 'Dukes, Debra; Ed.D., University of Georgia'
  ➜ Title candidate: 'Dukes, Debra; Ed.D., University of Georgia'
  ❌ Invalid title line: 'Dukes, Debra; Ed.D., University of Georgia'
  ➜ Parsing at 7264: 'Durakiewicz, Anna; M.S., University of Marie Curie'

🔍 parse_program: starting at line 7264: 'Durakiewicz, Anna; M.S., University of Marie Curie'
  ➜ Title candidate: 'Durakiewicz, Anna; M.S., University of Marie Curie'
  ❌ Invalid title line: 'Durakiewicz, Anna; M.S., University of Marie Curie'
  ➜ Parsing at 7265: 'Eisenhour, Melanie; Ed.D., Nova Southeastern University'

🔍 parse_program: starting at line 7265: 'Eisenhour, Melanie; Ed.D., Nova Southeastern University'
  ➜ Title candidate: 'Eisenhour, Melanie; Ed.D., Nova Southeastern University'
  ❌ Invalid title line: 'Eisenhour, Melanie; Ed.D., Nova Southeastern University'
  ➜ Parsing at 7266: 'Feng, Suiping; Ph.D., City University of New York'

🔍 parse_program: starting at line 7266: 'Feng, Suiping; Ph.D., City University of New York'
  ➜ Title candidate: 'Feng, Suiping; Ph.D., City University of New York'
  ❌ Invalid title line: 'Feng, Suiping; Ph.D., City University of New York'
  ➜ Parsing at 7267: 'Fillpot, Elsie; Ph.D., University of Iowa'

🔍 parse_program: starting at line 7267: 'Fillpot, Elsie; Ph.D., University of Iowa'
  ➜ Title candidate: 'Fillpot, Elsie; Ph.D., University of Iowa'
  ❌ Invalid title line: 'Fillpot, Elsie; Ph.D., University of Iowa'
  ➜ Parsing at 7268: 'Flavin, Kathryn; Ph.D., University of Illinois'

🔍 parse_program: starting at line 7268: 'Flavin, Kathryn; Ph.D., University of Illinois'
  ➜ Title candidate: 'Flavin, Kathryn; Ph.D., University of Illinois'
  ❌ Invalid title line: 'Flavin, Kathryn; Ph.D., University of Illinois'
  ➜ Parsing at 7269: 'Flores, Alberto; Ed.D., Grand Canyon University'

🔍 parse_program: starting at line 7269: 'Flores, Alberto; Ed.D., Grand Canyon University'
  ➜ Title candidate: 'Flores, Alberto; Ed.D., Grand Canyon University'
  ❌ Invalid title line: 'Flores, Alberto; Ed.D., Grand Canyon University'
  ➜ Parsing at 7270: 'Francis, David; M.A., Western Governors University'

🔍 parse_program: starting at line 7270: 'Francis, David; M.A., Western Governors University'
  ➜ Title candidate: 'Francis, David; M.A., Western Governors University'
  ❌ Invalid title line: 'Francis, David; M.A., Western Governors University'
  ➜ Parsing at 7271: 'Giddens, Evelyn; Ph.D., Capella University'

🔍 parse_program: starting at line 7271: 'Giddens, Evelyn; Ph.D., Capella University'
  ➜ Title candidate: 'Giddens, Evelyn; Ph.D., Capella University'
  ❌ Invalid title line: 'Giddens, Evelyn; Ph.D., Capella University'
  ➜ Parsing at 7272: 'Gillman, Brenna; Ph.D., University of Utah'

🔍 parse_program: starting at line 7272: 'Gillman, Brenna; Ph.D., University of Utah'
  ➜ Title candidate: 'Gillman, Brenna; Ph.D., University of Utah'
  ❌ Invalid title line: 'Gillman, Brenna; Ph.D., University of Utah'
  ➜ Parsing at 7273: 'Gray-Dowdy, Audra; Ph.D., University of Washington'

🔍 parse_program: starting at line 7273: 'Gray-Dowdy, Audra; Ph.D., University of Washington'
  ➜ Title candidate: 'Gray-Dowdy, Audra; Ph.D., University of Washington'
  ❌ Invalid title line: 'Gray-Dowdy, Audra; Ph.D., University of Washington'
  ➜ Parsing at 7274: 'Hall, Robert; Ph.D., Capella University'

🔍 parse_program: starting at line 7274: 'Hall, Robert; Ph.D., Capella University'
  ➜ Title candidate: 'Hall, Robert; Ph.D., Capella University'
  ❌ Invalid title line: 'Hall, Robert; Ph.D., Capella University'
  ➜ Parsing at 7275: 'Halverson, Colleen; Ph.D., University of Wisconsin-Milwaukee'

🔍 parse_program: starting at line 7275: 'Halverson, Colleen; Ph.D., University of Wisconsin-Milwaukee'
  ➜ Title candidate: 'Halverson, Colleen; Ph.D., University of Wisconsin-Milwaukee'
  ❌ Invalid title line: 'Halverson, Colleen; Ph.D., University of Wisconsin-Milwaukee'
  ➜ Parsing at 7276: 'Harbin, Lesley; Ed.D., Nova Southeastern University'

🔍 parse_program: starting at line 7276: 'Harbin, Lesley; Ed.D., Nova Southeastern University'
  ➜ Title candidate: 'Harbin, Lesley; Ed.D., Nova Southeastern University'
  ❌ Invalid title line: 'Harbin, Lesley; Ed.D., Nova Southeastern University'
  ➜ Parsing at 7277: '© Western Governors University Jul 19, 2017 179'

🔍 parse_program: starting at line 7277: '© Western Governors University Jul 19, 2017 179'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'Hardin, Bridgette; Ed.D., Texas A&M University-Corpus Christi'
  ➜ Skipping stray line: 'Hedman, Shawn; Ph.D., University of Illinois at Chicago'
  ➜ Skipping stray line: 'Henry, Joanna; M.E., Lamar University'
  ➜ Skipping stray line: 'Hernandez, Julie; Ed.D., University of Phoenix'
  ➜ Skipping stray line: 'Hiebel, Adam; Ed.D., Ohio University'
  ➜ Skipping stray line: 'Hudon-Miller, Sarah; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Hughes, Amy; Ed.D., University of Montana'
  ➜ Skipping stray line: 'Hutson, Tommye; Ed.D., Baylor University'
  ➜ Skipping stray line: 'Igbinoba-Cummings, Monique; Ph.D., Lynn University'
  ➜ Skipping stray line: 'Izumi, Alisa; Ed.D., University of Massachusetts'
  ➜ Skipping stray line: 'Jacobs, Patricia; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Janitzki, Dean; M.A., University of Toledo'
  ➜ Skipping stray line: 'Johnson, Sherri; Ph.D., Capella University'
  ➜ Skipping stray line: 'Jovic, Marko; Ph.D., University of Nebraska'
  ➜ Skipping stray line: 'Kain, Meri; Ed.D., University of Missouri'
  ➜ Skipping stray line: 'Kelly, Gretchen; Ed.D., Walden University'
  ➜ Skipping stray line: 'Leinbach, William; Ed.D., Oregon State University'
  ➜ Skipping stray line: 'Lindemann, Steven; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Linkenhoker, Dina; Ed.D., Liberty University'
  ➜ Skipping stray line: 'Lipscomb, Pauline; Ed.D., University of the Cumberlands'
  ➜ Skipping stray line: 'Luster, Sandricia; Ed.S., Argosy University'
  ➜ Skipping stray line: 'McCarver, Patricia; Ph.D., California Institute of Integral Studies'
  ➜ Skipping stray line: 'McDaniel, Maryann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'McGrath Hovland, Michelle; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Mendes, John; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Miller, Esther; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Mills, Ginger; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Moore, Tontaleya; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Morgan, Matthew; Ph.D., Montana State University'
  ➜ Skipping stray line: 'Mour, Jennifer; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Murray, Mary; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Obianyo, Obiamaka; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Odom, M. Katherine; Ph.D., University of South Alabama'
  ➜ Skipping stray line: 'O’Malley, Maureen; Ph.D., University of Arizona'
  ➜ Skipping stray line: 'Pack, Mamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Parry, Kelly; Ph.D., University of North Texas'
  ➜ Skipping stray line: 'Purnell, Courtney; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'Quinn, Lori; M.A.Ed., Prairie View A&M University'
  ➜ Skipping stray line: 'Rahsaz, Jacqueline; M.A., University of California San Diego'
  ➜ Skipping stray line: 'Randonis, Jennifer; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Rawson, Robert; Ph.D., University of Texas Southwestern'
  ➜ Skipping stray line: 'Richen, Damara; Ed.D., Fielding Graduate University'
  ➜ Skipping stray line: 'Robles, Veronica; Ed.D., Arizona State University'
  ➜ Skipping stray line: 'Rogers, Carmelle; Ph.D., Kansas State University'
  ➜ Skipping stray line: 'Russell-Fry, Nancy; Ph.D., Ohio University'
  ➜ Skipping stray line: 'Scales, Rebecca; M.A., Western Governors University'
  ➜ Skipping stray line: 'Schmidt, Stan; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Sepetys, Peggy; Ed.D., University of Michigan'
  ➜ Skipping stray line: 'Shrader, Vincent; Ph.D., Brigham Young University'
  ➜ Skipping stray line: 'Silver, Jennifer; Ph.D., New York University'
  ➜ Skipping stray line: 'Sims, Rachel; Ed.D., Walden University'
  ➜ Skipping stray line: 'Smith, Janeal; Ph.D., Walden University'
  ➜ Skipping stray line: 'Spencer, Kristin; Ph.D., University of Florida'
  ➜ Skipping stray line: 'Story, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Swenson, Karl; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Thompson, Julie; Ph.D., University of Rochester'
  ➜ Skipping stray line: 'Traub-Metlay, Suzanne; Ph.D., University of Pittsburg'
  ➜ Skipping stray line: 'Tresnak, Robyn; Ph.D., Walden University'
  ➜ Skipping stray line: 'Turner, Carmen; Ph.D., University of Memphis'
  ➜ Skipping stray line: 'Vickers, Paul; Ed.D., Stephen F. Austin State University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 180'
  ➜ Skipping stray line: 'Walter-Sullivan, Earnestyne; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'Weinstein, Gideon; Ph.D., Indiana University Bloomington'
  ➜ Skipping stray line: 'Whitmire, Jane; Ph.D., University of Montana'
  ➜ Skipping stray line: 'Willey-Rendon, Ruby; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Williams, Lacey; Ed.D., Union Institute and University'
  ➜ Skipping stray line: 'Wisnosky, Marc; Ph.D., University of Pittsburgh'
  ➜ Skipping stray line: 'Yanusheva, Lidiya; Ed.D., Walden University'
  ➜ Skipping stray line: 'Yatherajam, Gayatri; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Zartman, Krista; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Zimmerli, Mandy; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'College of Business'
  ➜ Skipping stray line: 'Abubakari, Nina; J.D., Wayne State University'
  ➜ Skipping stray line: 'Adler, Kathleen; Ph.D., Southern Methodist University'
  ➜ Skipping stray line: 'Alafita, Theresa; Ph.D., George Washington University'
  ➜ Skipping stray line: 'Arenz, Russell; Ph.D., Colorado Technical University'
  ➜ Skipping stray line: 'Argiento, Steven; J.D., Pace University'
  ➜ Skipping stray line: 'Austin, Judy; MBA, Western Governors University'
  ➜ Skipping stray line: 'Baragoshi, Behroz; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Barton, Robert; Ed.S., Utah State University'
  ➜ Skipping stray line: 'Black, Hilda; Ph.D., Louisiana Tech University'
  ➜ Skipping stray line: 'Borch, Casey; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Boysen-Rotelli, Sheila; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Brownstein, Steven; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Carson, Pook; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Cassell, Kenneth; MBA, San Jose State University'
  ➜ Skipping stray line: 'Cherry, Patricia; Ph.D., Capella University'
  ➜ Skipping stray line: 'Clarke, Jeffrey; Ph.D., University of California-Los Angeles'
  ➜ Skipping stray line: 'Connor, Martin; J.D., University of North Dakota'
  ➜ Skipping stray line: 'Davis, Lorretta; Ph.D., Capella University'
  ➜ Skipping stray line: 'Davis, Mary; Ed.D., Central Michigan University'
  ➜ Skipping stray line: 'Doctorman, Lindsey; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Doren, Andrew; D.M., University of Maryland'
  ➜ Skipping stray line: 'Dula, Kimberly; Ph.D., Mercer University'
  ➜ Skipping stray line: 'Duran, Anthony; DBA, Grand Canyon University'
  ➜ Skipping stray line: 'Ennis, Erica; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Etter, Edwin; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Feehery, George; DBA, Nova Southeastern University'
  ➜ Skipping stray line: 'Fisher, Paul; Ph.D., Oregon State University'
  ➜ Skipping stray line: 'Gallo, Merry; DBA, Argosy University'
  ➜ Skipping stray line: 'Garland, Jennifer; DBA, Keiser University'
  ➜ Skipping stray line: 'Geddes, Bruce; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gilyot, Bianca; MBA, Northcentral University'
  ➜ Skipping stray line: 'Giscombe, Hilbert; DBA, Argosy University'
  ➜ Skipping stray line: 'Gough, Gregory; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Green, Maurice; Ph.D., University at Albany – State University of New York'
  ➜ Skipping stray line: 'Gunn, Linda; Ph.D., Union Institute and University'
  ➜ Skipping stray line: 'Havins, Merwin; Ed.D., Northern Arizona University'
  ➜ Skipping stray line: 'Heinzman, Joseph; DM, Colorado Technical University'
  ➜ Skipping stray line: 'Hon, Charles; Ph.D., Capella University'
  ➜ Skipping stray line: 'Hudson, Brandi; J.D., Regent University'
  ➜ Skipping stray line: 'Iannucci, Brian; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Imboden, Paul; DBA., Northcentral University'
  ➜ Skipping stray line: 'Jividen, Jim; J.D., Ohio Northern University'
  ➜ Skipping stray line: 'Jones, Alan; MBA, Dartmouth College'
  ➜ Skipping stray line: 'Justice, Jeanne; DBA, Walden University'
  ➜ Skipping stray line: 'Kale, Mrinalini; Ph.D., Capella University'
  ➜ Skipping stray line: 'Kenny, Timothy; M.S., Regis University'
  ➜ Skipping stray line: 'Kowalski, Christine; Ed.D., National Louis University'
  ➜ Skipping stray line: 'Kushniroff, Melinda; Ed.D., Liberty University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 181'
  ➜ Skipping stray line: 'La Hay, Ann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Lagroue, Harold; Ph.D., Louisiana State University'
  ➜ Skipping stray line: 'Lamer, Maryann; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Langdon, Debra; MBA, Denver University'
  ➜ Skipping stray line: 'Lutter-Cooper, Victoria; Ph.D., Capella University'
  ➜ Skipping stray line: 'Marshall, Mario; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'McClesky, Jamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'McNulty, Peggy; Ph.D., University of Colorado-Colorado Springs'
  ➜ Skipping stray line: 'Melton, Rebecca; Ph.D., Chicago School of Professional Psychology'
  ➜ Skipping stray line: 'Mills, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Moore, Detria; J.D., Liberty University'
  ➜ Skipping stray line: 'Neely, Cecil; MBA, University of North Carolina at Greensboro'
  ➜ Skipping stray line: 'Nelms, Linda; Ph.D., Capella University'
  ➜ Skipping stray line: 'Nelson, Camille; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'O’Brien, Joseph; Ed.D., George Washington University'
  ➜ Skipping stray line: 'Openshaw, Matthew; Ph.D., University of Texas at Dallas'
  ➜ Skipping stray line: 'Parish, Beth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Patterson, Julie; Ph.D., University of Illinois at Urbana-Champaign'
  ➜ Skipping stray line: 'Pawarski, Richard; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Phillips, Patti; J.D., Stetson University'
  ➜ Skipping stray line: 'Pratt, Christopher; DHA, University of Phoenix'
  ➜ Skipping stray line: 'Raimo, Steve; DSL, Regent University'
  ➜ Skipping stray line: 'Richardson, Shay; DBA, Walden University'
  ➜ Skipping stray line: 'Roberts, Tracia; M.S., University of Phoenix'
  ➜ Skipping stray line: 'Roberts, Wade; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Rogers, Katie; MBA, University of Utah'
  ➜ Skipping stray line: 'Sawant, Gauri; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Shah, Rob; MBA, DeVry University'
  ➜ Skipping stray line: 'Shepherd, Tracie; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Skinner, Susan; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Snipes, Dawna; J.D., Western Michigan University'
  ➜ Skipping stray line: 'Souder, Michele; MBA, University of Dayton'
  ➜ Skipping stray line: 'Spicer, Ronald; Ph.D., Capella University'
  ➜ Skipping stray line: 'Stewart, Michelle; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Strickland, Cynthia; Ph.D., Touro University International'
  ➜ Skipping stray line: 'Swarthout, Nanette; MBA, Fontbonne University'
  ➜ Skipping stray line: 'Tapp, Timothy; MHA, Washington University'
  ➜ Skipping stray line: 'Thomas, Melanie; J.D., University of North Carolina'
  ➜ Skipping stray line: 'Venkateswar, Sankaran; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Wachter, Eddie; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Wade, Keith; MBA, University of Detroit'
  ➜ Skipping stray line: 'Walker, Natalie; DBA, Keiser University'
  ➜ Skipping stray line: 'Wang, Xiaofei; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Williams, Pegeen; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Williams, Rian; MPA, University of Utah'
  ➜ Skipping stray line: 'Wood, Carrie; M.S., Strayer University'
  ➜ Skipping stray line: 'College of Information Technology'
  ➜ Skipping stray line: 'Al-Husaam, Abdul; Ph.D., Capella University'
  ➜ Skipping stray line: 'Alberici, Mary; Ph.D., University of Missouri-St. Louis'
  ➜ Skipping stray line: 'Allen, Candice; M.A., Capella University'
  ➜ Skipping stray line: 'Antonucci, Amy; M.S., University of Delaware'
  ➜ Skipping stray line: 'Banerjee, Pubali; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'Beverley, Charles; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Blanson, Constance; Ph.D., Capella University'
  ➜ Skipping stray line: 'Bojonny, John; M.S., Marywood University'
  ➜ Skipping stray line: 'Borsum, Pamela; MBA, Western Governors University'
  ➜ Skipping stray line: 'Campbell, Wendy; DBA, Northcentral University'
  ➜ Skipping stray line: 'Carter, Betty; M.S., Troy University'
  ➜ Skipping stray line: 'Cobbs, Dana; M.S., College of William and Mary'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 182'
  ➜ Skipping stray line: 'Cook, Henry; M.S., Clark Atlanta University'
  ➜ Skipping stray line: 'Crawford, Demetria; M.S., Boston University'
  ➜ Skipping stray line: 'Dupree, Yolanda; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Farmer, Jaynee; M.A., University of Arkansas at Little Rock'
  ➜ Skipping stray line: 'Ferdinand, Jeff; M.S., Trident University International'
  ➜ Skipping stray line: 'Gardner, Diana; MBA, Western Governors University'
  ➜ Skipping stray line: 'Garza, Brian; M.S., Western Governors University'
  ➜ Skipping stray line: 'Goodwin, Orenthio; Ph.D., Capella University'
  ➜ Skipping stray line: 'Heiner, Jenny; M.S., Capitol College'
  ➜ Skipping stray line: 'Huff, David; Ph.D., Wayne State University'
  ➜ Skipping stray line: 'Jensen, Bryan; M.S., Bellvue University'
  ➜ Skipping stray line: 'Kercher, Paul; M.S., Missouri University of Science and Technology'
  ➜ Skipping stray line: 'LaMolinare, Deana; M.S., Duquesne University'
  ➜ Skipping stray line: 'Lang, Cythia; MSCHe, University of Maryland'
  ➜ Skipping stray line: 'Lavieri, Edward; DCS, Colorado Technical University'
  ➜ Skipping stray line: 'Light, Gerri; M.S., Walden University'
  ➜ Skipping stray line: 'Lively, Charles; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'McFarlane, Michele; M.S., DeVry University'
  ➜ Skipping stray line: 'McLaughlin, Mike; M.S., University of Maine'
  ➜ Skipping stray line: 'Mendell, Ronald; M.S., Capitol College'
  ➜ Skipping stray line: 'Milham, Thomas; MNCM, DeVry University'
  ➜ Skipping stray line: 'Moore, Ronald; M.A., Troy University'
  ➜ Skipping stray line: 'Morrill, Ralph; Ph.D., North Central University'
  ➜ Skipping stray line: 'Ntinglet-Davis, Emelda; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Ozmer, Connie; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Paddock, Charles; Ph.D., University of Houston'
  ➜ Skipping stray line: 'Peterson, Michael; Ph.D., Capella University'
  ➜ Skipping stray line: 'Pinaire, Ken; MBA, University of Texas at Dallas'
  ➜ Skipping stray line: 'Rawlinson, David; J.D., South Texas College of Law'
  ➜ Skipping stray line: 'Schaefer, Brett; MBA, DeVry University'
  ➜ Skipping stray line: 'Shenk, Maria; M.S., City University of Seattle'
  ➜ Skipping stray line: 'Scutro, Rebecca; M.S., Saint Joseph’s University'
  ➜ Skipping stray line: 'Sewell, William; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Sher-DeCusatis, Carolyn; M.A., State University of New York at Stony Brook'
  ➜ Skipping stray line: 'Shields, Jessica; MFA, Savannah College of Art and Design'
  ➜ Skipping stray line: 'Sistelos, Antonio; Ph.D., Indiana State University'
  ➜ Skipping stray line: 'Stromberg, Scott; M.S., Nova Southeastern University'
  ➜ Skipping stray line: 'Swanson, Tom; Ph.D., Capella University'
  ➜ Skipping stray line: 'Taylor, Julinda; M.S., Wichita State University'
  ➜ Skipping stray line: 'Travis, Susan; M.A., University of Phoenix'
  ➜ Skipping stray line: 'College of Health Professions'
  ➜ Skipping stray line: 'Abdur-Rahman, Veronica; Ph.D., Texas Woman’s University'
  ➜ Skipping stray line: 'Abee, Debra; M.S., University of North Carolina Greensboro'
  ➜ Skipping stray line: 'Abraham, Gail; MSN/ED, University of Phoenix'
  ➜ Skipping stray line: 'Adams, Lora; M.S., Michigan State University'
  ➜ Skipping stray line: 'Adkins, Dee; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Allen, Juanita; DNP, University of Utah'
  ➜ Skipping stray line: 'Ashby, Shelley; DNP, University of Southern Indiana'
  ➜ Skipping stray line: 'Austgen, Donna; M.S., University of Indianapolis'
  ➜ Skipping stray line: 'Barber, Kendar; M.S., Indiana University'
  ➜ Skipping stray line: 'Battle, Linda; DNP, Regis College'
  ➜ Skipping stray line: 'Benoit, Heidi; M.S., Western Governors University'
  ➜ Skipping stray line: 'Benson, Johnett; DNP, Kent State University'
  ➜ Skipping stray line: 'Bergfeld, Marcia; M.S., Lourdes College'
  ➜ Skipping stray line: 'Berndt, Janeen; DNP, Valparaiso University'
  ➜ Skipping stray line: 'Blaine, Stephanie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Cain, Lyn; Ph.D., Grand Canyon University'
  ➜ Skipping stray line: 'Carney, Mary; DNP, Touro University – Nevada'
  ➜ Skipping stray line: 'Chau-Nguyen, Thao; MPH, Tulane University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 183'
  ➜ Skipping stray line: 'Cleveland, Melissa; DNP, Rocky Mountain University'
  ➜ Skipping stray line: 'Cloonan, Kelly; DNP, Case Western Reserve'
  ➜ Skipping stray line: 'Dahdal, Kimberly; M.S., Western Governors University'
  ➜ Skipping stray line: 'Dantzler, Barbara; Ph.D., Trident University'
  ➜ Skipping stray line: 'Diaz, Constance; Ph.D., University of Northern Colorado'
  ➜ Skipping stray line: 'Diaz, Lorna; DNP, Western University of Health Sciences'
  ➜ Skipping stray line: 'Dorin, Michelle; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Dush, Curtis; M.S., East Tennessee State University'
  ➜ Skipping stray line: 'Elmer, Justine; M.S., Kaplan University'
  ➜ Skipping stray line: 'Englert, Mary; DNP, University of North Florida'
  ➜ Skipping stray line: 'Feather, Rebecca; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Frankie, Sandra; M.S., Western Governors University'
  ➜ Skipping stray line: 'Gabel, Ann; M.S., University of Kansas'
  ➜ Skipping stray line: 'Gayol, Marcos; M.S., Aspen University'
  ➜ Skipping stray line: 'Giaquinto, Elisa; M.A., Brown University'
  ➜ Skipping stray line: 'Gogatz, Debra; DNP, Regis University'
  ➜ Skipping stray line: 'Golden, Christina; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Gottesfeld, Ilene; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Gwyn, Elizabeth; M.S., Winston Salem State University'
  ➜ Skipping stray line: 'Hadsell, Christine; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Hansen, Julie; Ph.D., South Dakota State University'
  ➜ Skipping stray line: 'Hartley-Clanton, Patricia; M.S., University of Utah'
  ➜ Skipping stray line: 'Hawkins, Shannon; M.S., Walden University'
  ➜ Skipping stray line: 'Heyer-Schmidt, Theres-Anne; ND, University of Colorado-Denver'
  ➜ Skipping stray line: 'Hill, Dana; Ph.D., Walden University'
  ➜ Skipping stray line: 'Hunt, Eleanor; M.S., Duke University'
  ➜ Skipping stray line: 'Johnson-Anderson, Heidi; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Kangas, Sandra; Ph.D., Georgia State University'
  ➜ Skipping stray line: 'Kogan, Lisa; M.S., Western Governors University'
  ➜ Skipping stray line: 'Langer Atkinson, Heidi; Ph.D., University of Albany'
  ➜ Skipping stray line: 'Lashlee, Marilyn; DNP, Northeastern University'
  ➜ Skipping stray line: 'Long, Jennifer; M.S., Indiana University'
  ➜ Skipping stray line: 'Marshall, Janet; Ph.D., Rush University'
  ➜ Title candidate: 'Masterson, Debra; Ed.D., Liberty University'
  ✔️ Collected description (40 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 7278: 'Hardin, Bridgette; Ed.D., Texas A&M University-Corpus Christi'

🔍 parse_program: starting at line 7278: 'Hardin, Bridgette; Ed.D., Texas A&M University-Corpus Christi'
  ➜ Title candidate: 'Hardin, Bridgette; Ed.D., Texas A&M University-Corpus Christi'
  ❌ Invalid title line: 'Hardin, Bridgette; Ed.D., Texas A&M University-Corpus Christi'
  ➜ Parsing at 7279: 'Hedman, Shawn; Ph.D., University of Illinois at Chicago'

🔍 parse_program: starting at line 7279: 'Hedman, Shawn; Ph.D., University of Illinois at Chicago'
  ➜ Title candidate: 'Hedman, Shawn; Ph.D., University of Illinois at Chicago'
  ❌ Invalid title line: 'Hedman, Shawn; Ph.D., University of Illinois at Chicago'
  ➜ Parsing at 7280: 'Henry, Joanna; M.E., Lamar University'

🔍 parse_program: starting at line 7280: 'Henry, Joanna; M.E., Lamar University'
  ➜ Title candidate: 'Henry, Joanna; M.E., Lamar University'
  ❌ Invalid title line: 'Henry, Joanna; M.E., Lamar University'
  ➜ Parsing at 7281: 'Hernandez, Julie; Ed.D., University of Phoenix'

🔍 parse_program: starting at line 7281: 'Hernandez, Julie; Ed.D., University of Phoenix'
  ➜ Title candidate: 'Hernandez, Julie; Ed.D., University of Phoenix'
  ❌ Invalid title line: 'Hernandez, Julie; Ed.D., University of Phoenix'
  ➜ Parsing at 7282: 'Hiebel, Adam; Ed.D., Ohio University'

🔍 parse_program: starting at line 7282: 'Hiebel, Adam; Ed.D., Ohio University'
  ➜ Title candidate: 'Hiebel, Adam; Ed.D., Ohio University'
  ❌ Invalid title line: 'Hiebel, Adam; Ed.D., Ohio University'
  ➜ Parsing at 7283: 'Hudon-Miller, Sarah; Ph.D., Purdue University'

🔍 parse_program: starting at line 7283: 'Hudon-Miller, Sarah; Ph.D., Purdue University'
  ➜ Title candidate: 'Hudon-Miller, Sarah; Ph.D., Purdue University'
  ❌ Invalid title line: 'Hudon-Miller, Sarah; Ph.D., Purdue University'
  ➜ Parsing at 7284: 'Hughes, Amy; Ed.D., University of Montana'

🔍 parse_program: starting at line 7284: 'Hughes, Amy; Ed.D., University of Montana'
  ➜ Title candidate: 'Hughes, Amy; Ed.D., University of Montana'
  ❌ Invalid title line: 'Hughes, Amy; Ed.D., University of Montana'
  ➜ Parsing at 7285: 'Hutson, Tommye; Ed.D., Baylor University'

🔍 parse_program: starting at line 7285: 'Hutson, Tommye; Ed.D., Baylor University'
  ➜ Title candidate: 'Hutson, Tommye; Ed.D., Baylor University'
  ❌ Invalid title line: 'Hutson, Tommye; Ed.D., Baylor University'
  ➜ Parsing at 7286: 'Igbinoba-Cummings, Monique; Ph.D., Lynn University'

🔍 parse_program: starting at line 7286: 'Igbinoba-Cummings, Monique; Ph.D., Lynn University'
  ➜ Title candidate: 'Igbinoba-Cummings, Monique; Ph.D., Lynn University'
  ❌ Invalid title line: 'Igbinoba-Cummings, Monique; Ph.D., Lynn University'
  ➜ Parsing at 7287: 'Izumi, Alisa; Ed.D., University of Massachusetts'

🔍 parse_program: starting at line 7287: 'Izumi, Alisa; Ed.D., University of Massachusetts'
  ➜ Title candidate: 'Izumi, Alisa; Ed.D., University of Massachusetts'
  ❌ Invalid title line: 'Izumi, Alisa; Ed.D., University of Massachusetts'
  ➜ Parsing at 7288: 'Jacobs, Patricia; Ph.D., University of Florida'

🔍 parse_program: starting at line 7288: 'Jacobs, Patricia; Ph.D., University of Florida'
  ➜ Title candidate: 'Jacobs, Patricia; Ph.D., University of Florida'
  ❌ Invalid title line: 'Jacobs, Patricia; Ph.D., University of Florida'
  ➜ Parsing at 7289: 'Janitzki, Dean; M.A., University of Toledo'

🔍 parse_program: starting at line 7289: 'Janitzki, Dean; M.A., University of Toledo'
  ➜ Title candidate: 'Janitzki, Dean; M.A., University of Toledo'
  ❌ Invalid title line: 'Janitzki, Dean; M.A., University of Toledo'
  ➜ Parsing at 7290: 'Johnson, Sherri; Ph.D., Capella University'

🔍 parse_program: starting at line 7290: 'Johnson, Sherri; Ph.D., Capella University'
  ➜ Title candidate: 'Johnson, Sherri; Ph.D., Capella University'
  ❌ Invalid title line: 'Johnson, Sherri; Ph.D., Capella University'
  ➜ Parsing at 7291: 'Jovic, Marko; Ph.D., University of Nebraska'

🔍 parse_program: starting at line 7291: 'Jovic, Marko; Ph.D., University of Nebraska'
  ➜ Title candidate: 'Jovic, Marko; Ph.D., University of Nebraska'
  ❌ Invalid title line: 'Jovic, Marko; Ph.D., University of Nebraska'
  ➜ Parsing at 7292: 'Kain, Meri; Ed.D., University of Missouri'

🔍 parse_program: starting at line 7292: 'Kain, Meri; Ed.D., University of Missouri'
  ➜ Title candidate: 'Kain, Meri; Ed.D., University of Missouri'
  ❌ Invalid title line: 'Kain, Meri; Ed.D., University of Missouri'
  ➜ Parsing at 7293: 'Kelly, Gretchen; Ed.D., Walden University'

🔍 parse_program: starting at line 7293: 'Kelly, Gretchen; Ed.D., Walden University'
  ➜ Title candidate: 'Kelly, Gretchen; Ed.D., Walden University'
  ❌ Invalid title line: 'Kelly, Gretchen; Ed.D., Walden University'
  ➜ Parsing at 7294: 'Leinbach, William; Ed.D., Oregon State University'

🔍 parse_program: starting at line 7294: 'Leinbach, William; Ed.D., Oregon State University'
  ➜ Title candidate: 'Leinbach, William; Ed.D., Oregon State University'
  ❌ Invalid title line: 'Leinbach, William; Ed.D., Oregon State University'
  ➜ Parsing at 7295: 'Lindemann, Steven; Ed.D., Nova Southeastern University'

🔍 parse_program: starting at line 7295: 'Lindemann, Steven; Ed.D., Nova Southeastern University'
  ➜ Title candidate: 'Lindemann, Steven; Ed.D., Nova Southeastern University'
  ❌ Invalid title line: 'Lindemann, Steven; Ed.D., Nova Southeastern University'
  ➜ Parsing at 7296: 'Linkenhoker, Dina; Ed.D., Liberty University'

🔍 parse_program: starting at line 7296: 'Linkenhoker, Dina; Ed.D., Liberty University'
  ➜ Title candidate: 'Linkenhoker, Dina; Ed.D., Liberty University'
  ❌ Invalid title line: 'Linkenhoker, Dina; Ed.D., Liberty University'
  ➜ Parsing at 7297: 'Lipscomb, Pauline; Ed.D., University of the Cumberlands'

🔍 parse_program: starting at line 7297: 'Lipscomb, Pauline; Ed.D., University of the Cumberlands'
  ➜ Title candidate: 'Lipscomb, Pauline; Ed.D., University of the Cumberlands'
  ❌ Invalid title line: 'Lipscomb, Pauline; Ed.D., University of the Cumberlands'
  ➜ Parsing at 7298: 'Luster, Sandricia; Ed.S., Argosy University'

🔍 parse_program: starting at line 7298: 'Luster, Sandricia; Ed.S., Argosy University'
  ➜ Title candidate: 'Luster, Sandricia; Ed.S., Argosy University'
  ❌ Invalid title line: 'Luster, Sandricia; Ed.S., Argosy University'
  ➜ Parsing at 7299: 'McCarver, Patricia; Ph.D., California Institute of Integral Studies'

🔍 parse_program: starting at line 7299: 'McCarver, Patricia; Ph.D., California Institute of Integral Studies'
  ➜ Title candidate: 'McCarver, Patricia; Ph.D., California Institute of Integral Studies'
  ❌ Invalid title line: 'McCarver, Patricia; Ph.D., California Institute of Integral Studies'
  ➜ Parsing at 7300: 'McDaniel, Maryann; Ed.D., University of Houston'

🔍 parse_program: starting at line 7300: 'McDaniel, Maryann; Ed.D., University of Houston'
  ➜ Title candidate: 'McDaniel, Maryann; Ed.D., University of Houston'
  ❌ Invalid title line: 'McDaniel, Maryann; Ed.D., University of Houston'
  ➜ Parsing at 7301: 'McGrath Hovland, Michelle; Ed.D., University of South Dakota'

🔍 parse_program: starting at line 7301: 'McGrath Hovland, Michelle; Ed.D., University of South Dakota'
  ➜ Title candidate: 'McGrath Hovland, Michelle; Ed.D., University of South Dakota'
  ❌ Invalid title line: 'McGrath Hovland, Michelle; Ed.D., University of South Dakota'
  ➜ Parsing at 7302: 'Mendes, John; Ed.D., Argosy University'

🔍 parse_program: starting at line 7302: 'Mendes, John; Ed.D., Argosy University'
  ➜ Title candidate: 'Mendes, John; Ed.D., Argosy University'
  ❌ Invalid title line: 'Mendes, John; Ed.D., Argosy University'
  ➜ Parsing at 7303: 'Miller, Esther; Ph.D., Lehigh University'

🔍 parse_program: starting at line 7303: 'Miller, Esther; Ph.D., Lehigh University'
  ➜ Title candidate: 'Miller, Esther; Ph.D., Lehigh University'
  ❌ Invalid title line: 'Miller, Esther; Ph.D., Lehigh University'
  ➜ Parsing at 7304: 'Mills, Ginger; Ed.D., Nova Southeastern University'

🔍 parse_program: starting at line 7304: 'Mills, Ginger; Ed.D., Nova Southeastern University'
  ➜ Title candidate: 'Mills, Ginger; Ed.D., Nova Southeastern University'
  ❌ Invalid title line: 'Mills, Ginger; Ed.D., Nova Southeastern University'
  ➜ Parsing at 7305: 'Moore, Tontaleya; Ed.D., Nova Southeastern University'

🔍 parse_program: starting at line 7305: 'Moore, Tontaleya; Ed.D., Nova Southeastern University'
  ➜ Title candidate: 'Moore, Tontaleya; Ed.D., Nova Southeastern University'
  ❌ Invalid title line: 'Moore, Tontaleya; Ed.D., Nova Southeastern University'
  ➜ Parsing at 7306: 'Morgan, Matthew; Ph.D., Montana State University'

🔍 parse_program: starting at line 7306: 'Morgan, Matthew; Ph.D., Montana State University'
  ➜ Title candidate: 'Morgan, Matthew; Ph.D., Montana State University'
  ❌ Invalid title line: 'Morgan, Matthew; Ph.D., Montana State University'
  ➜ Parsing at 7307: 'Mour, Jennifer; Ed.D., Nova Southeastern University'

🔍 parse_program: starting at line 7307: 'Mour, Jennifer; Ed.D., Nova Southeastern University'
  ➜ Title candidate: 'Mour, Jennifer; Ed.D., Nova Southeastern University'
  ❌ Invalid title line: 'Mour, Jennifer; Ed.D., Nova Southeastern University'
  ➜ Parsing at 7308: 'Murray, Mary; Ph.D., Florida Atlantic University'

🔍 parse_program: starting at line 7308: 'Murray, Mary; Ph.D., Florida Atlantic University'
  ➜ Title candidate: 'Murray, Mary; Ph.D., Florida Atlantic University'
  ❌ Invalid title line: 'Murray, Mary; Ph.D., Florida Atlantic University'
  ➜ Parsing at 7309: 'Obianyo, Obiamaka; Ph.D., University of South Carolina'

🔍 parse_program: starting at line 7309: 'Obianyo, Obiamaka; Ph.D., University of South Carolina'
  ➜ Title candidate: 'Obianyo, Obiamaka; Ph.D., University of South Carolina'
  ❌ Invalid title line: 'Obianyo, Obiamaka; Ph.D., University of South Carolina'
  ➜ Parsing at 7310: 'Odom, M. Katherine; Ph.D., University of South Alabama'

🔍 parse_program: starting at line 7310: 'Odom, M. Katherine; Ph.D., University of South Alabama'
  ➜ Title candidate: 'Odom, M. Katherine; Ph.D., University of South Alabama'
  ❌ Invalid title line: 'Odom, M. Katherine; Ph.D., University of South Alabama'
  ➜ Parsing at 7311: 'O’Malley, Maureen; Ph.D., University of Arizona'

🔍 parse_program: starting at line 7311: 'O’Malley, Maureen; Ph.D., University of Arizona'
  ➜ Title candidate: 'O’Malley, Maureen; Ph.D., University of Arizona'
  ❌ Invalid title line: 'O’Malley, Maureen; Ph.D., University of Arizona'
  ➜ Parsing at 7312: 'Pack, Mamie; Ph.D., Capella University'

🔍 parse_program: starting at line 7312: 'Pack, Mamie; Ph.D., Capella University'
  ➜ Title candidate: 'Pack, Mamie; Ph.D., Capella University'
  ❌ Invalid title line: 'Pack, Mamie; Ph.D., Capella University'
  ➜ Parsing at 7313: 'Parry, Kelly; Ph.D., University of North Texas'

🔍 parse_program: starting at line 7313: 'Parry, Kelly; Ph.D., University of North Texas'
  ➜ Title candidate: 'Parry, Kelly; Ph.D., University of North Texas'
  ❌ Invalid title line: 'Parry, Kelly; Ph.D., University of North Texas'
  ➜ Parsing at 7314: 'Purnell, Courtney; Ph.D., Florida Atlantic University'

🔍 parse_program: starting at line 7314: 'Purnell, Courtney; Ph.D., Florida Atlantic University'
  ➜ Title candidate: 'Purnell, Courtney; Ph.D., Florida Atlantic University'
  ❌ Invalid title line: 'Purnell, Courtney; Ph.D., Florida Atlantic University'
  ➜ Parsing at 7315: 'Quinn, Lori; M.A.Ed., Prairie View A&M University'

🔍 parse_program: starting at line 7315: 'Quinn, Lori; M.A.Ed., Prairie View A&M University'
  ➜ Title candidate: 'Quinn, Lori; M.A.Ed., Prairie View A&M University'
  ❌ Invalid title line: 'Quinn, Lori; M.A.Ed., Prairie View A&M University'
  ➜ Parsing at 7316: 'Rahsaz, Jacqueline; M.A., University of California San Diego'

🔍 parse_program: starting at line 7316: 'Rahsaz, Jacqueline; M.A., University of California San Diego'
  ➜ Title candidate: 'Rahsaz, Jacqueline; M.A., University of California San Diego'
  ❌ Invalid title line: 'Rahsaz, Jacqueline; M.A., University of California San Diego'
  ➜ Parsing at 7317: 'Randonis, Jennifer; Ph.D., Arizona State University'

🔍 parse_program: starting at line 7317: 'Randonis, Jennifer; Ph.D., Arizona State University'
  ➜ Title candidate: 'Randonis, Jennifer; Ph.D., Arizona State University'
  ❌ Invalid title line: 'Randonis, Jennifer; Ph.D., Arizona State University'
  ➜ Parsing at 7318: 'Rawson, Robert; Ph.D., University of Texas Southwestern'

🔍 parse_program: starting at line 7318: 'Rawson, Robert; Ph.D., University of Texas Southwestern'
  ➜ Title candidate: 'Rawson, Robert; Ph.D., University of Texas Southwestern'
  ❌ Invalid title line: 'Rawson, Robert; Ph.D., University of Texas Southwestern'
  ➜ Parsing at 7319: 'Richen, Damara; Ed.D., Fielding Graduate University'

🔍 parse_program: starting at line 7319: 'Richen, Damara; Ed.D., Fielding Graduate University'
  ➜ Title candidate: 'Richen, Damara; Ed.D., Fielding Graduate University'
  ❌ Invalid title line: 'Richen, Damara; Ed.D., Fielding Graduate University'
  ➜ Parsing at 7320: 'Robles, Veronica; Ed.D., Arizona State University'

🔍 parse_program: starting at line 7320: 'Robles, Veronica; Ed.D., Arizona State University'
  ➜ Title candidate: 'Robles, Veronica; Ed.D., Arizona State University'
  ❌ Invalid title line: 'Robles, Veronica; Ed.D., Arizona State University'
  ➜ Parsing at 7321: 'Rogers, Carmelle; Ph.D., Kansas State University'

🔍 parse_program: starting at line 7321: 'Rogers, Carmelle; Ph.D., Kansas State University'
  ➜ Title candidate: 'Rogers, Carmelle; Ph.D., Kansas State University'
  ❌ Invalid title line: 'Rogers, Carmelle; Ph.D., Kansas State University'
  ➜ Parsing at 7322: 'Russell-Fry, Nancy; Ph.D., Ohio University'

🔍 parse_program: starting at line 7322: 'Russell-Fry, Nancy; Ph.D., Ohio University'
  ➜ Title candidate: 'Russell-Fry, Nancy; Ph.D., Ohio University'
  ❌ Invalid title line: 'Russell-Fry, Nancy; Ph.D., Ohio University'
  ➜ Parsing at 7323: 'Scales, Rebecca; M.A., Western Governors University'

🔍 parse_program: starting at line 7323: 'Scales, Rebecca; M.A., Western Governors University'
  ➜ Title candidate: 'Scales, Rebecca; M.A., Western Governors University'
  ❌ Invalid title line: 'Scales, Rebecca; M.A., Western Governors University'
  ➜ Parsing at 7324: 'Schmidt, Stan; Ph.D., Brigham Young University'

🔍 parse_program: starting at line 7324: 'Schmidt, Stan; Ph.D., Brigham Young University'
  ➜ Title candidate: 'Schmidt, Stan; Ph.D., Brigham Young University'
  ❌ Invalid title line: 'Schmidt, Stan; Ph.D., Brigham Young University'
  ➜ Parsing at 7325: 'Sepetys, Peggy; Ed.D., University of Michigan'

🔍 parse_program: starting at line 7325: 'Sepetys, Peggy; Ed.D., University of Michigan'
  ➜ Title candidate: 'Sepetys, Peggy; Ed.D., University of Michigan'
  ❌ Invalid title line: 'Sepetys, Peggy; Ed.D., University of Michigan'
  ➜ Parsing at 7326: 'Shrader, Vincent; Ph.D., Brigham Young University'

🔍 parse_program: starting at line 7326: 'Shrader, Vincent; Ph.D., Brigham Young University'
  ➜ Title candidate: 'Shrader, Vincent; Ph.D., Brigham Young University'
  ❌ Invalid title line: 'Shrader, Vincent; Ph.D., Brigham Young University'
  ➜ Parsing at 7327: 'Silver, Jennifer; Ph.D., New York University'

🔍 parse_program: starting at line 7327: 'Silver, Jennifer; Ph.D., New York University'
  ➜ Title candidate: 'Silver, Jennifer; Ph.D., New York University'
  ❌ Invalid title line: 'Silver, Jennifer; Ph.D., New York University'
  ➜ Parsing at 7328: 'Sims, Rachel; Ed.D., Walden University'

🔍 parse_program: starting at line 7328: 'Sims, Rachel; Ed.D., Walden University'
  ➜ Title candidate: 'Sims, Rachel; Ed.D., Walden University'
  ❌ Invalid title line: 'Sims, Rachel; Ed.D., Walden University'
  ➜ Parsing at 7329: 'Smith, Janeal; Ph.D., Walden University'

🔍 parse_program: starting at line 7329: 'Smith, Janeal; Ph.D., Walden University'
  ➜ Title candidate: 'Smith, Janeal; Ph.D., Walden University'
  ❌ Invalid title line: 'Smith, Janeal; Ph.D., Walden University'
  ➜ Parsing at 7330: 'Spencer, Kristin; Ph.D., University of Florida'

🔍 parse_program: starting at line 7330: 'Spencer, Kristin; Ph.D., University of Florida'
  ➜ Title candidate: 'Spencer, Kristin; Ph.D., University of Florida'
  ❌ Invalid title line: 'Spencer, Kristin; Ph.D., University of Florida'
  ➜ Parsing at 7331: 'Story, Colleen; Ph.D., Capella University'

🔍 parse_program: starting at line 7331: 'Story, Colleen; Ph.D., Capella University'
  ➜ Title candidate: 'Story, Colleen; Ph.D., Capella University'
  ❌ Invalid title line: 'Story, Colleen; Ph.D., Capella University'
  ➜ Parsing at 7332: 'Swenson, Karl; Ph.D., Indiana University'

🔍 parse_program: starting at line 7332: 'Swenson, Karl; Ph.D., Indiana University'
  ➜ Title candidate: 'Swenson, Karl; Ph.D., Indiana University'
  ❌ Invalid title line: 'Swenson, Karl; Ph.D., Indiana University'
  ➜ Parsing at 7333: 'Thompson, Julie; Ph.D., University of Rochester'

🔍 parse_program: starting at line 7333: 'Thompson, Julie; Ph.D., University of Rochester'
  ➜ Title candidate: 'Thompson, Julie; Ph.D., University of Rochester'
  ❌ Invalid title line: 'Thompson, Julie; Ph.D., University of Rochester'
  ➜ Parsing at 7334: 'Traub-Metlay, Suzanne; Ph.D., University of Pittsburg'

🔍 parse_program: starting at line 7334: 'Traub-Metlay, Suzanne; Ph.D., University of Pittsburg'
  ➜ Title candidate: 'Traub-Metlay, Suzanne; Ph.D., University of Pittsburg'
  ❌ Invalid title line: 'Traub-Metlay, Suzanne; Ph.D., University of Pittsburg'
  ➜ Parsing at 7335: 'Tresnak, Robyn; Ph.D., Walden University'

🔍 parse_program: starting at line 7335: 'Tresnak, Robyn; Ph.D., Walden University'
  ➜ Title candidate: 'Tresnak, Robyn; Ph.D., Walden University'
  ❌ Invalid title line: 'Tresnak, Robyn; Ph.D., Walden University'
  ➜ Parsing at 7336: 'Turner, Carmen; Ph.D., University of Memphis'

🔍 parse_program: starting at line 7336: 'Turner, Carmen; Ph.D., University of Memphis'
  ➜ Title candidate: 'Turner, Carmen; Ph.D., University of Memphis'
  ❌ Invalid title line: 'Turner, Carmen; Ph.D., University of Memphis'
  ➜ Parsing at 7337: 'Vickers, Paul; Ed.D., Stephen F. Austin State University'

🔍 parse_program: starting at line 7337: 'Vickers, Paul; Ed.D., Stephen F. Austin State University'
  ➜ Title candidate: 'Vickers, Paul; Ed.D., Stephen F. Austin State University'
  ❌ Invalid title line: 'Vickers, Paul; Ed.D., Stephen F. Austin State University'
  ➜ Parsing at 7338: '© Western Governors University Jul 19, 2017 180'

🔍 parse_program: starting at line 7338: '© Western Governors University Jul 19, 2017 180'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'Walter-Sullivan, Earnestyne; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'Weinstein, Gideon; Ph.D., Indiana University Bloomington'
  ➜ Skipping stray line: 'Whitmire, Jane; Ph.D., University of Montana'
  ➜ Skipping stray line: 'Willey-Rendon, Ruby; Ph.D., Texas Tech University'
  ➜ Skipping stray line: 'Williams, Lacey; Ed.D., Union Institute and University'
  ➜ Skipping stray line: 'Wisnosky, Marc; Ph.D., University of Pittsburgh'
  ➜ Skipping stray line: 'Yanusheva, Lidiya; Ed.D., Walden University'
  ➜ Skipping stray line: 'Yatherajam, Gayatri; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Zartman, Krista; Ph.D., Purdue University'
  ➜ Skipping stray line: 'Zimmerli, Mandy; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'College of Business'
  ➜ Skipping stray line: 'Abubakari, Nina; J.D., Wayne State University'
  ➜ Skipping stray line: 'Adler, Kathleen; Ph.D., Southern Methodist University'
  ➜ Skipping stray line: 'Alafita, Theresa; Ph.D., George Washington University'
  ➜ Skipping stray line: 'Arenz, Russell; Ph.D., Colorado Technical University'
  ➜ Skipping stray line: 'Argiento, Steven; J.D., Pace University'
  ➜ Skipping stray line: 'Austin, Judy; MBA, Western Governors University'
  ➜ Skipping stray line: 'Baragoshi, Behroz; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Barton, Robert; Ed.S., Utah State University'
  ➜ Skipping stray line: 'Black, Hilda; Ph.D., Louisiana Tech University'
  ➜ Skipping stray line: 'Borch, Casey; Ph.D., University of Connecticut'
  ➜ Skipping stray line: 'Boysen-Rotelli, Sheila; Ph.D., Benedictine University'
  ➜ Skipping stray line: 'Brownstein, Steven; Ph.D., Arizona State University'
  ➜ Skipping stray line: 'Carson, Pook; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Cassell, Kenneth; MBA, San Jose State University'
  ➜ Skipping stray line: 'Cherry, Patricia; Ph.D., Capella University'
  ➜ Skipping stray line: 'Clarke, Jeffrey; Ph.D., University of California-Los Angeles'
  ➜ Skipping stray line: 'Connor, Martin; J.D., University of North Dakota'
  ➜ Skipping stray line: 'Davis, Lorretta; Ph.D., Capella University'
  ➜ Skipping stray line: 'Davis, Mary; Ed.D., Central Michigan University'
  ➜ Skipping stray line: 'Doctorman, Lindsey; Ph.D., Colorado State University'
  ➜ Skipping stray line: 'Doren, Andrew; D.M., University of Maryland'
  ➜ Skipping stray line: 'Dula, Kimberly; Ph.D., Mercer University'
  ➜ Skipping stray line: 'Duran, Anthony; DBA, Grand Canyon University'
  ➜ Skipping stray line: 'Ennis, Erica; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Etter, Edwin; Ph.D., Ohio State University'
  ➜ Skipping stray line: 'Feehery, George; DBA, Nova Southeastern University'
  ➜ Skipping stray line: 'Fisher, Paul; Ph.D., Oregon State University'
  ➜ Skipping stray line: 'Gallo, Merry; DBA, Argosy University'
  ➜ Skipping stray line: 'Garland, Jennifer; DBA, Keiser University'
  ➜ Skipping stray line: 'Geddes, Bruce; Ph.D., Capella University'
  ➜ Skipping stray line: 'Gilyot, Bianca; MBA, Northcentral University'
  ➜ Skipping stray line: 'Giscombe, Hilbert; DBA, Argosy University'
  ➜ Skipping stray line: 'Gough, Gregory; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Green, Maurice; Ph.D., University at Albany – State University of New York'
  ➜ Skipping stray line: 'Gunn, Linda; Ph.D., Union Institute and University'
  ➜ Skipping stray line: 'Havins, Merwin; Ed.D., Northern Arizona University'
  ➜ Skipping stray line: 'Heinzman, Joseph; DM, Colorado Technical University'
  ➜ Skipping stray line: 'Hon, Charles; Ph.D., Capella University'
  ➜ Skipping stray line: 'Hudson, Brandi; J.D., Regent University'
  ➜ Skipping stray line: 'Iannucci, Brian; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Imboden, Paul; DBA., Northcentral University'
  ➜ Skipping stray line: 'Jividen, Jim; J.D., Ohio Northern University'
  ➜ Skipping stray line: 'Jones, Alan; MBA, Dartmouth College'
  ➜ Skipping stray line: 'Justice, Jeanne; DBA, Walden University'
  ➜ Skipping stray line: 'Kale, Mrinalini; Ph.D., Capella University'
  ➜ Skipping stray line: 'Kenny, Timothy; M.S., Regis University'
  ➜ Skipping stray line: 'Kowalski, Christine; Ed.D., National Louis University'
  ➜ Skipping stray line: 'Kushniroff, Melinda; Ed.D., Liberty University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 181'
  ➜ Skipping stray line: 'La Hay, Ann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Lagroue, Harold; Ph.D., Louisiana State University'
  ➜ Skipping stray line: 'Lamer, Maryann; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Langdon, Debra; MBA, Denver University'
  ➜ Skipping stray line: 'Lutter-Cooper, Victoria; Ph.D., Capella University'
  ➜ Skipping stray line: 'Marshall, Mario; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'McClesky, Jamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'McNulty, Peggy; Ph.D., University of Colorado-Colorado Springs'
  ➜ Skipping stray line: 'Melton, Rebecca; Ph.D., Chicago School of Professional Psychology'
  ➜ Skipping stray line: 'Mills, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Moore, Detria; J.D., Liberty University'
  ➜ Skipping stray line: 'Neely, Cecil; MBA, University of North Carolina at Greensboro'
  ➜ Skipping stray line: 'Nelms, Linda; Ph.D., Capella University'
  ➜ Skipping stray line: 'Nelson, Camille; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'O’Brien, Joseph; Ed.D., George Washington University'
  ➜ Skipping stray line: 'Openshaw, Matthew; Ph.D., University of Texas at Dallas'
  ➜ Skipping stray line: 'Parish, Beth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Patterson, Julie; Ph.D., University of Illinois at Urbana-Champaign'
  ➜ Skipping stray line: 'Pawarski, Richard; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Phillips, Patti; J.D., Stetson University'
  ➜ Skipping stray line: 'Pratt, Christopher; DHA, University of Phoenix'
  ➜ Skipping stray line: 'Raimo, Steve; DSL, Regent University'
  ➜ Skipping stray line: 'Richardson, Shay; DBA, Walden University'
  ➜ Skipping stray line: 'Roberts, Tracia; M.S., University of Phoenix'
  ➜ Skipping stray line: 'Roberts, Wade; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Rogers, Katie; MBA, University of Utah'
  ➜ Skipping stray line: 'Sawant, Gauri; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Shah, Rob; MBA, DeVry University'
  ➜ Skipping stray line: 'Shepherd, Tracie; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Skinner, Susan; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Snipes, Dawna; J.D., Western Michigan University'
  ➜ Skipping stray line: 'Souder, Michele; MBA, University of Dayton'
  ➜ Skipping stray line: 'Spicer, Ronald; Ph.D., Capella University'
  ➜ Skipping stray line: 'Stewart, Michelle; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Strickland, Cynthia; Ph.D., Touro University International'
  ➜ Skipping stray line: 'Swarthout, Nanette; MBA, Fontbonne University'
  ➜ Skipping stray line: 'Tapp, Timothy; MHA, Washington University'
  ➜ Skipping stray line: 'Thomas, Melanie; J.D., University of North Carolina'
  ➜ Skipping stray line: 'Venkateswar, Sankaran; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Wachter, Eddie; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Wade, Keith; MBA, University of Detroit'
  ➜ Skipping stray line: 'Walker, Natalie; DBA, Keiser University'
  ➜ Skipping stray line: 'Wang, Xiaofei; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Williams, Pegeen; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Williams, Rian; MPA, University of Utah'
  ➜ Skipping stray line: 'Wood, Carrie; M.S., Strayer University'
  ➜ Skipping stray line: 'College of Information Technology'
  ➜ Skipping stray line: 'Al-Husaam, Abdul; Ph.D., Capella University'
  ➜ Skipping stray line: 'Alberici, Mary; Ph.D., University of Missouri-St. Louis'
  ➜ Skipping stray line: 'Allen, Candice; M.A., Capella University'
  ➜ Skipping stray line: 'Antonucci, Amy; M.S., University of Delaware'
  ➜ Skipping stray line: 'Banerjee, Pubali; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'Beverley, Charles; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Blanson, Constance; Ph.D., Capella University'
  ➜ Skipping stray line: 'Bojonny, John; M.S., Marywood University'
  ➜ Skipping stray line: 'Borsum, Pamela; MBA, Western Governors University'
  ➜ Skipping stray line: 'Campbell, Wendy; DBA, Northcentral University'
  ➜ Skipping stray line: 'Carter, Betty; M.S., Troy University'
  ➜ Skipping stray line: 'Cobbs, Dana; M.S., College of William and Mary'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 182'
  ➜ Skipping stray line: 'Cook, Henry; M.S., Clark Atlanta University'
  ➜ Skipping stray line: 'Crawford, Demetria; M.S., Boston University'
  ➜ Skipping stray line: 'Dupree, Yolanda; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Farmer, Jaynee; M.A., University of Arkansas at Little Rock'
  ➜ Skipping stray line: 'Ferdinand, Jeff; M.S., Trident University International'
  ➜ Skipping stray line: 'Gardner, Diana; MBA, Western Governors University'
  ➜ Skipping stray line: 'Garza, Brian; M.S., Western Governors University'
  ➜ Skipping stray line: 'Goodwin, Orenthio; Ph.D., Capella University'
  ➜ Skipping stray line: 'Heiner, Jenny; M.S., Capitol College'
  ➜ Skipping stray line: 'Huff, David; Ph.D., Wayne State University'
  ➜ Skipping stray line: 'Jensen, Bryan; M.S., Bellvue University'
  ➜ Skipping stray line: 'Kercher, Paul; M.S., Missouri University of Science and Technology'
  ➜ Skipping stray line: 'LaMolinare, Deana; M.S., Duquesne University'
  ➜ Skipping stray line: 'Lang, Cythia; MSCHe, University of Maryland'
  ➜ Skipping stray line: 'Lavieri, Edward; DCS, Colorado Technical University'
  ➜ Skipping stray line: 'Light, Gerri; M.S., Walden University'
  ➜ Skipping stray line: 'Lively, Charles; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'McFarlane, Michele; M.S., DeVry University'
  ➜ Skipping stray line: 'McLaughlin, Mike; M.S., University of Maine'
  ➜ Skipping stray line: 'Mendell, Ronald; M.S., Capitol College'
  ➜ Skipping stray line: 'Milham, Thomas; MNCM, DeVry University'
  ➜ Skipping stray line: 'Moore, Ronald; M.A., Troy University'
  ➜ Skipping stray line: 'Morrill, Ralph; Ph.D., North Central University'
  ➜ Skipping stray line: 'Ntinglet-Davis, Emelda; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Ozmer, Connie; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Paddock, Charles; Ph.D., University of Houston'
  ➜ Skipping stray line: 'Peterson, Michael; Ph.D., Capella University'
  ➜ Skipping stray line: 'Pinaire, Ken; MBA, University of Texas at Dallas'
  ➜ Skipping stray line: 'Rawlinson, David; J.D., South Texas College of Law'
  ➜ Skipping stray line: 'Schaefer, Brett; MBA, DeVry University'
  ➜ Skipping stray line: 'Shenk, Maria; M.S., City University of Seattle'
  ➜ Skipping stray line: 'Scutro, Rebecca; M.S., Saint Joseph’s University'
  ➜ Skipping stray line: 'Sewell, William; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Sher-DeCusatis, Carolyn; M.A., State University of New York at Stony Brook'
  ➜ Skipping stray line: 'Shields, Jessica; MFA, Savannah College of Art and Design'
  ➜ Skipping stray line: 'Sistelos, Antonio; Ph.D., Indiana State University'
  ➜ Skipping stray line: 'Stromberg, Scott; M.S., Nova Southeastern University'
  ➜ Skipping stray line: 'Swanson, Tom; Ph.D., Capella University'
  ➜ Skipping stray line: 'Taylor, Julinda; M.S., Wichita State University'
  ➜ Skipping stray line: 'Travis, Susan; M.A., University of Phoenix'
  ➜ Skipping stray line: 'College of Health Professions'
  ➜ Skipping stray line: 'Abdur-Rahman, Veronica; Ph.D., Texas Woman’s University'
  ➜ Skipping stray line: 'Abee, Debra; M.S., University of North Carolina Greensboro'
  ➜ Skipping stray line: 'Abraham, Gail; MSN/ED, University of Phoenix'
  ➜ Skipping stray line: 'Adams, Lora; M.S., Michigan State University'
  ➜ Skipping stray line: 'Adkins, Dee; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Allen, Juanita; DNP, University of Utah'
  ➜ Skipping stray line: 'Ashby, Shelley; DNP, University of Southern Indiana'
  ➜ Skipping stray line: 'Austgen, Donna; M.S., University of Indianapolis'
  ➜ Skipping stray line: 'Barber, Kendar; M.S., Indiana University'
  ➜ Skipping stray line: 'Battle, Linda; DNP, Regis College'
  ➜ Skipping stray line: 'Benoit, Heidi; M.S., Western Governors University'
  ➜ Skipping stray line: 'Benson, Johnett; DNP, Kent State University'
  ➜ Skipping stray line: 'Bergfeld, Marcia; M.S., Lourdes College'
  ➜ Skipping stray line: 'Berndt, Janeen; DNP, Valparaiso University'
  ➜ Skipping stray line: 'Blaine, Stephanie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Cain, Lyn; Ph.D., Grand Canyon University'
  ➜ Skipping stray line: 'Carney, Mary; DNP, Touro University – Nevada'
  ➜ Skipping stray line: 'Chau-Nguyen, Thao; MPH, Tulane University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 183'
  ➜ Skipping stray line: 'Cleveland, Melissa; DNP, Rocky Mountain University'
  ➜ Skipping stray line: 'Cloonan, Kelly; DNP, Case Western Reserve'
  ➜ Skipping stray line: 'Dahdal, Kimberly; M.S., Western Governors University'
  ➜ Skipping stray line: 'Dantzler, Barbara; Ph.D., Trident University'
  ➜ Skipping stray line: 'Diaz, Constance; Ph.D., University of Northern Colorado'
  ➜ Skipping stray line: 'Diaz, Lorna; DNP, Western University of Health Sciences'
  ➜ Skipping stray line: 'Dorin, Michelle; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Dush, Curtis; M.S., East Tennessee State University'
  ➜ Skipping stray line: 'Elmer, Justine; M.S., Kaplan University'
  ➜ Skipping stray line: 'Englert, Mary; DNP, University of North Florida'
  ➜ Skipping stray line: 'Feather, Rebecca; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Frankie, Sandra; M.S., Western Governors University'
  ➜ Skipping stray line: 'Gabel, Ann; M.S., University of Kansas'
  ➜ Skipping stray line: 'Gayol, Marcos; M.S., Aspen University'
  ➜ Skipping stray line: 'Giaquinto, Elisa; M.A., Brown University'
  ➜ Skipping stray line: 'Gogatz, Debra; DNP, Regis University'
  ➜ Skipping stray line: 'Golden, Christina; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Gottesfeld, Ilene; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Gwyn, Elizabeth; M.S., Winston Salem State University'
  ➜ Skipping stray line: 'Hadsell, Christine; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Hansen, Julie; Ph.D., South Dakota State University'
  ➜ Skipping stray line: 'Hartley-Clanton, Patricia; M.S., University of Utah'
  ➜ Skipping stray line: 'Hawkins, Shannon; M.S., Walden University'
  ➜ Skipping stray line: 'Heyer-Schmidt, Theres-Anne; ND, University of Colorado-Denver'
  ➜ Skipping stray line: 'Hill, Dana; Ph.D., Walden University'
  ➜ Skipping stray line: 'Hunt, Eleanor; M.S., Duke University'
  ➜ Skipping stray line: 'Johnson-Anderson, Heidi; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Kangas, Sandra; Ph.D., Georgia State University'
  ➜ Skipping stray line: 'Kogan, Lisa; M.S., Western Governors University'
  ➜ Skipping stray line: 'Langer Atkinson, Heidi; Ph.D., University of Albany'
  ➜ Skipping stray line: 'Lashlee, Marilyn; DNP, Northeastern University'
  ➜ Skipping stray line: 'Long, Jennifer; M.S., Indiana University'
  ➜ Skipping stray line: 'Marshall, Janet; Ph.D., Rush University'
  ➜ Title candidate: 'Masterson, Debra; Ed.D., Liberty University'
  ✔️ Collected description (40 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 7339: 'Walter-Sullivan, Earnestyne; Ph.D., Texas A&M University'

🔍 parse_program: starting at line 7339: 'Walter-Sullivan, Earnestyne; Ph.D., Texas A&M University'
  ➜ Title candidate: 'Walter-Sullivan, Earnestyne; Ph.D., Texas A&M University'
  ❌ Invalid title line: 'Walter-Sullivan, Earnestyne; Ph.D., Texas A&M University'
  ➜ Parsing at 7340: 'Weinstein, Gideon; Ph.D., Indiana University Bloomington'

🔍 parse_program: starting at line 7340: 'Weinstein, Gideon; Ph.D., Indiana University Bloomington'
  ➜ Title candidate: 'Weinstein, Gideon; Ph.D., Indiana University Bloomington'
  ❌ Invalid title line: 'Weinstein, Gideon; Ph.D., Indiana University Bloomington'
  ➜ Parsing at 7341: 'Whitmire, Jane; Ph.D., University of Montana'

🔍 parse_program: starting at line 7341: 'Whitmire, Jane; Ph.D., University of Montana'
  ➜ Title candidate: 'Whitmire, Jane; Ph.D., University of Montana'
  ❌ Invalid title line: 'Whitmire, Jane; Ph.D., University of Montana'
  ➜ Parsing at 7342: 'Willey-Rendon, Ruby; Ph.D., Texas Tech University'

🔍 parse_program: starting at line 7342: 'Willey-Rendon, Ruby; Ph.D., Texas Tech University'
  ➜ Title candidate: 'Willey-Rendon, Ruby; Ph.D., Texas Tech University'
  ❌ Invalid title line: 'Willey-Rendon, Ruby; Ph.D., Texas Tech University'
  ➜ Parsing at 7343: 'Williams, Lacey; Ed.D., Union Institute and University'

🔍 parse_program: starting at line 7343: 'Williams, Lacey; Ed.D., Union Institute and University'
  ➜ Title candidate: 'Williams, Lacey; Ed.D., Union Institute and University'
  ❌ Invalid title line: 'Williams, Lacey; Ed.D., Union Institute and University'
  ➜ Parsing at 7344: 'Wisnosky, Marc; Ph.D., University of Pittsburgh'

🔍 parse_program: starting at line 7344: 'Wisnosky, Marc; Ph.D., University of Pittsburgh'
  ➜ Title candidate: 'Wisnosky, Marc; Ph.D., University of Pittsburgh'
  ❌ Invalid title line: 'Wisnosky, Marc; Ph.D., University of Pittsburgh'
  ➜ Parsing at 7345: 'Yanusheva, Lidiya; Ed.D., Walden University'

🔍 parse_program: starting at line 7345: 'Yanusheva, Lidiya; Ed.D., Walden University'
  ➜ Title candidate: 'Yanusheva, Lidiya; Ed.D., Walden University'
  ❌ Invalid title line: 'Yanusheva, Lidiya; Ed.D., Walden University'
  ➜ Parsing at 7346: 'Yatherajam, Gayatri; Ph.D., Colorado State University'

🔍 parse_program: starting at line 7346: 'Yatherajam, Gayatri; Ph.D., Colorado State University'
  ➜ Title candidate: 'Yatherajam, Gayatri; Ph.D., Colorado State University'
  ❌ Invalid title line: 'Yatherajam, Gayatri; Ph.D., Colorado State University'
  ➜ Parsing at 7347: 'Zartman, Krista; Ph.D., Purdue University'

🔍 parse_program: starting at line 7347: 'Zartman, Krista; Ph.D., Purdue University'
  ➜ Title candidate: 'Zartman, Krista; Ph.D., Purdue University'
  ❌ Invalid title line: 'Zartman, Krista; Ph.D., Purdue University'
  ➜ Parsing at 7348: 'Zimmerli, Mandy; Ph.D., Iowa State University'

🔍 parse_program: starting at line 7348: 'Zimmerli, Mandy; Ph.D., Iowa State University'
  ➜ Title candidate: 'Zimmerli, Mandy; Ph.D., Iowa State University'
  ❌ Invalid title line: 'Zimmerli, Mandy; Ph.D., Iowa State University'
  ➜ Parsing at 7349: 'College of Business'

🔍 parse_program: starting at line 7349: 'College of Business'
  ➜ Title candidate: 'College of Business'
  ❌ Invalid title line: 'College of Business'
  ➜ Parsing at 7350: 'Abubakari, Nina; J.D., Wayne State University'

🔍 parse_program: starting at line 7350: 'Abubakari, Nina; J.D., Wayne State University'
  ➜ Title candidate: 'Abubakari, Nina; J.D., Wayne State University'
  ❌ Invalid title line: 'Abubakari, Nina; J.D., Wayne State University'
  ➜ Parsing at 7351: 'Adler, Kathleen; Ph.D., Southern Methodist University'

🔍 parse_program: starting at line 7351: 'Adler, Kathleen; Ph.D., Southern Methodist University'
  ➜ Title candidate: 'Adler, Kathleen; Ph.D., Southern Methodist University'
  ❌ Invalid title line: 'Adler, Kathleen; Ph.D., Southern Methodist University'
  ➜ Parsing at 7352: 'Alafita, Theresa; Ph.D., George Washington University'

🔍 parse_program: starting at line 7352: 'Alafita, Theresa; Ph.D., George Washington University'
  ➜ Title candidate: 'Alafita, Theresa; Ph.D., George Washington University'
  ❌ Invalid title line: 'Alafita, Theresa; Ph.D., George Washington University'
  ➜ Parsing at 7353: 'Arenz, Russell; Ph.D., Colorado Technical University'

🔍 parse_program: starting at line 7353: 'Arenz, Russell; Ph.D., Colorado Technical University'
  ➜ Title candidate: 'Arenz, Russell; Ph.D., Colorado Technical University'
  ❌ Invalid title line: 'Arenz, Russell; Ph.D., Colorado Technical University'
  ➜ Parsing at 7354: 'Argiento, Steven; J.D., Pace University'

🔍 parse_program: starting at line 7354: 'Argiento, Steven; J.D., Pace University'
  ➜ Title candidate: 'Argiento, Steven; J.D., Pace University'
  ❌ Invalid title line: 'Argiento, Steven; J.D., Pace University'
  ➜ Parsing at 7355: 'Austin, Judy; MBA, Western Governors University'

🔍 parse_program: starting at line 7355: 'Austin, Judy; MBA, Western Governors University'
  ➜ Title candidate: 'Austin, Judy; MBA, Western Governors University'
  ❌ Invalid title line: 'Austin, Judy; MBA, Western Governors University'
  ➜ Parsing at 7356: 'Baragoshi, Behroz; Ph.D., University of Utah'

🔍 parse_program: starting at line 7356: 'Baragoshi, Behroz; Ph.D., University of Utah'
  ➜ Title candidate: 'Baragoshi, Behroz; Ph.D., University of Utah'
  ❌ Invalid title line: 'Baragoshi, Behroz; Ph.D., University of Utah'
  ➜ Parsing at 7357: 'Barton, Robert; Ed.S., Utah State University'

🔍 parse_program: starting at line 7357: 'Barton, Robert; Ed.S., Utah State University'
  ➜ Title candidate: 'Barton, Robert; Ed.S., Utah State University'
  ❌ Invalid title line: 'Barton, Robert; Ed.S., Utah State University'
  ➜ Parsing at 7358: 'Black, Hilda; Ph.D., Louisiana Tech University'

🔍 parse_program: starting at line 7358: 'Black, Hilda; Ph.D., Louisiana Tech University'
  ➜ Title candidate: 'Black, Hilda; Ph.D., Louisiana Tech University'
  ❌ Invalid title line: 'Black, Hilda; Ph.D., Louisiana Tech University'
  ➜ Parsing at 7359: 'Borch, Casey; Ph.D., University of Connecticut'

🔍 parse_program: starting at line 7359: 'Borch, Casey; Ph.D., University of Connecticut'
  ➜ Title candidate: 'Borch, Casey; Ph.D., University of Connecticut'
  ❌ Invalid title line: 'Borch, Casey; Ph.D., University of Connecticut'
  ➜ Parsing at 7360: 'Boysen-Rotelli, Sheila; Ph.D., Benedictine University'

🔍 parse_program: starting at line 7360: 'Boysen-Rotelli, Sheila; Ph.D., Benedictine University'
  ➜ Title candidate: 'Boysen-Rotelli, Sheila; Ph.D., Benedictine University'
  ❌ Invalid title line: 'Boysen-Rotelli, Sheila; Ph.D., Benedictine University'
  ➜ Parsing at 7361: 'Brownstein, Steven; Ph.D., Arizona State University'

🔍 parse_program: starting at line 7361: 'Brownstein, Steven; Ph.D., Arizona State University'
  ➜ Title candidate: 'Brownstein, Steven; Ph.D., Arizona State University'
  ❌ Invalid title line: 'Brownstein, Steven; Ph.D., Arizona State University'
  ➜ Parsing at 7362: 'Carson, Pook; Ph.D., University of Utah'

🔍 parse_program: starting at line 7362: 'Carson, Pook; Ph.D., University of Utah'
  ➜ Title candidate: 'Carson, Pook; Ph.D., University of Utah'
  ❌ Invalid title line: 'Carson, Pook; Ph.D., University of Utah'
  ➜ Parsing at 7363: 'Cassell, Kenneth; MBA, San Jose State University'

🔍 parse_program: starting at line 7363: 'Cassell, Kenneth; MBA, San Jose State University'
  ➜ Title candidate: 'Cassell, Kenneth; MBA, San Jose State University'
  ❌ Invalid title line: 'Cassell, Kenneth; MBA, San Jose State University'
  ➜ Parsing at 7364: 'Cherry, Patricia; Ph.D., Capella University'

🔍 parse_program: starting at line 7364: 'Cherry, Patricia; Ph.D., Capella University'
  ➜ Title candidate: 'Cherry, Patricia; Ph.D., Capella University'
  ❌ Invalid title line: 'Cherry, Patricia; Ph.D., Capella University'
  ➜ Parsing at 7365: 'Clarke, Jeffrey; Ph.D., University of California-Los Angeles'

🔍 parse_program: starting at line 7365: 'Clarke, Jeffrey; Ph.D., University of California-Los Angeles'
  ➜ Title candidate: 'Clarke, Jeffrey; Ph.D., University of California-Los Angeles'
  ❌ Invalid title line: 'Clarke, Jeffrey; Ph.D., University of California-Los Angeles'
  ➜ Parsing at 7366: 'Connor, Martin; J.D., University of North Dakota'

🔍 parse_program: starting at line 7366: 'Connor, Martin; J.D., University of North Dakota'
  ➜ Title candidate: 'Connor, Martin; J.D., University of North Dakota'
  ❌ Invalid title line: 'Connor, Martin; J.D., University of North Dakota'
  ➜ Parsing at 7367: 'Davis, Lorretta; Ph.D., Capella University'

🔍 parse_program: starting at line 7367: 'Davis, Lorretta; Ph.D., Capella University'
  ➜ Title candidate: 'Davis, Lorretta; Ph.D., Capella University'
  ❌ Invalid title line: 'Davis, Lorretta; Ph.D., Capella University'
  ➜ Parsing at 7368: 'Davis, Mary; Ed.D., Central Michigan University'

🔍 parse_program: starting at line 7368: 'Davis, Mary; Ed.D., Central Michigan University'
  ➜ Title candidate: 'Davis, Mary; Ed.D., Central Michigan University'
  ❌ Invalid title line: 'Davis, Mary; Ed.D., Central Michigan University'
  ➜ Parsing at 7369: 'Doctorman, Lindsey; Ph.D., Colorado State University'

🔍 parse_program: starting at line 7369: 'Doctorman, Lindsey; Ph.D., Colorado State University'
  ➜ Title candidate: 'Doctorman, Lindsey; Ph.D., Colorado State University'
  ❌ Invalid title line: 'Doctorman, Lindsey; Ph.D., Colorado State University'
  ➜ Parsing at 7370: 'Doren, Andrew; D.M., University of Maryland'

🔍 parse_program: starting at line 7370: 'Doren, Andrew; D.M., University of Maryland'
  ➜ Title candidate: 'Doren, Andrew; D.M., University of Maryland'
  ❌ Invalid title line: 'Doren, Andrew; D.M., University of Maryland'
  ➜ Parsing at 7371: 'Dula, Kimberly; Ph.D., Mercer University'

🔍 parse_program: starting at line 7371: 'Dula, Kimberly; Ph.D., Mercer University'
  ➜ Title candidate: 'Dula, Kimberly; Ph.D., Mercer University'
  ❌ Invalid title line: 'Dula, Kimberly; Ph.D., Mercer University'
  ➜ Parsing at 7372: 'Duran, Anthony; DBA, Grand Canyon University'

🔍 parse_program: starting at line 7372: 'Duran, Anthony; DBA, Grand Canyon University'
  ➜ Title candidate: 'Duran, Anthony; DBA, Grand Canyon University'
  ❌ Invalid title line: 'Duran, Anthony; DBA, Grand Canyon University'
  ➜ Parsing at 7373: 'Ennis, Erica; J.D., Quinnipiac University'

🔍 parse_program: starting at line 7373: 'Ennis, Erica; J.D., Quinnipiac University'
  ➜ Title candidate: 'Ennis, Erica; J.D., Quinnipiac University'
  ❌ Invalid title line: 'Ennis, Erica; J.D., Quinnipiac University'
  ➜ Parsing at 7374: 'Etter, Edwin; Ph.D., Ohio State University'

🔍 parse_program: starting at line 7374: 'Etter, Edwin; Ph.D., Ohio State University'
  ➜ Title candidate: 'Etter, Edwin; Ph.D., Ohio State University'
  ❌ Invalid title line: 'Etter, Edwin; Ph.D., Ohio State University'
  ➜ Parsing at 7375: 'Feehery, George; DBA, Nova Southeastern University'

🔍 parse_program: starting at line 7375: 'Feehery, George; DBA, Nova Southeastern University'
  ➜ Title candidate: 'Feehery, George; DBA, Nova Southeastern University'
  ❌ Invalid title line: 'Feehery, George; DBA, Nova Southeastern University'
  ➜ Parsing at 7376: 'Fisher, Paul; Ph.D., Oregon State University'

🔍 parse_program: starting at line 7376: 'Fisher, Paul; Ph.D., Oregon State University'
  ➜ Title candidate: 'Fisher, Paul; Ph.D., Oregon State University'
  ❌ Invalid title line: 'Fisher, Paul; Ph.D., Oregon State University'
  ➜ Parsing at 7377: 'Gallo, Merry; DBA, Argosy University'

🔍 parse_program: starting at line 7377: 'Gallo, Merry; DBA, Argosy University'
  ➜ Title candidate: 'Gallo, Merry; DBA, Argosy University'
  ❌ Invalid title line: 'Gallo, Merry; DBA, Argosy University'
  ➜ Parsing at 7378: 'Garland, Jennifer; DBA, Keiser University'

🔍 parse_program: starting at line 7378: 'Garland, Jennifer; DBA, Keiser University'
  ➜ Title candidate: 'Garland, Jennifer; DBA, Keiser University'
  ❌ Invalid title line: 'Garland, Jennifer; DBA, Keiser University'
  ➜ Parsing at 7379: 'Geddes, Bruce; Ph.D., Capella University'

🔍 parse_program: starting at line 7379: 'Geddes, Bruce; Ph.D., Capella University'
  ➜ Title candidate: 'Geddes, Bruce; Ph.D., Capella University'
  ❌ Invalid title line: 'Geddes, Bruce; Ph.D., Capella University'
  ➜ Parsing at 7380: 'Gilyot, Bianca; MBA, Northcentral University'

🔍 parse_program: starting at line 7380: 'Gilyot, Bianca; MBA, Northcentral University'
  ➜ Title candidate: 'Gilyot, Bianca; MBA, Northcentral University'
  ❌ Invalid title line: 'Gilyot, Bianca; MBA, Northcentral University'
  ➜ Parsing at 7381: 'Giscombe, Hilbert; DBA, Argosy University'

🔍 parse_program: starting at line 7381: 'Giscombe, Hilbert; DBA, Argosy University'
  ➜ Title candidate: 'Giscombe, Hilbert; DBA, Argosy University'
  ❌ Invalid title line: 'Giscombe, Hilbert; DBA, Argosy University'
  ➜ Parsing at 7382: 'Gough, Gregory; M.A., University of Phoenix'

🔍 parse_program: starting at line 7382: 'Gough, Gregory; M.A., University of Phoenix'
  ➜ Title candidate: 'Gough, Gregory; M.A., University of Phoenix'
  ❌ Invalid title line: 'Gough, Gregory; M.A., University of Phoenix'
  ➜ Parsing at 7383: 'Green, Maurice; Ph.D., University at Albany – State University of New York'

🔍 parse_program: starting at line 7383: 'Green, Maurice; Ph.D., University at Albany – State University of New York'
  ➜ Title candidate: 'Green, Maurice; Ph.D., University at Albany – State University of New York'
  ❌ Invalid title line: 'Green, Maurice; Ph.D., University at Albany – State University of New York'
  ➜ Parsing at 7384: 'Gunn, Linda; Ph.D., Union Institute and University'

🔍 parse_program: starting at line 7384: 'Gunn, Linda; Ph.D., Union Institute and University'
  ➜ Title candidate: 'Gunn, Linda; Ph.D., Union Institute and University'
  ❌ Invalid title line: 'Gunn, Linda; Ph.D., Union Institute and University'
  ➜ Parsing at 7385: 'Havins, Merwin; Ed.D., Northern Arizona University'

🔍 parse_program: starting at line 7385: 'Havins, Merwin; Ed.D., Northern Arizona University'
  ➜ Title candidate: 'Havins, Merwin; Ed.D., Northern Arizona University'
  ❌ Invalid title line: 'Havins, Merwin; Ed.D., Northern Arizona University'
  ➜ Parsing at 7386: 'Heinzman, Joseph; DM, Colorado Technical University'

🔍 parse_program: starting at line 7386: 'Heinzman, Joseph; DM, Colorado Technical University'
  ➜ Title candidate: 'Heinzman, Joseph; DM, Colorado Technical University'
  ❌ Invalid title line: 'Heinzman, Joseph; DM, Colorado Technical University'
  ➜ Parsing at 7387: 'Hon, Charles; Ph.D., Capella University'

🔍 parse_program: starting at line 7387: 'Hon, Charles; Ph.D., Capella University'
  ➜ Title candidate: 'Hon, Charles; Ph.D., Capella University'
  ❌ Invalid title line: 'Hon, Charles; Ph.D., Capella University'
  ➜ Parsing at 7388: 'Hudson, Brandi; J.D., Regent University'

🔍 parse_program: starting at line 7388: 'Hudson, Brandi; J.D., Regent University'
  ➜ Title candidate: 'Hudson, Brandi; J.D., Regent University'
  ❌ Invalid title line: 'Hudson, Brandi; J.D., Regent University'
  ➜ Parsing at 7389: 'Iannucci, Brian; Ph.D., Northcentral University'

🔍 parse_program: starting at line 7389: 'Iannucci, Brian; Ph.D., Northcentral University'
  ➜ Title candidate: 'Iannucci, Brian; Ph.D., Northcentral University'
  ❌ Invalid title line: 'Iannucci, Brian; Ph.D., Northcentral University'
  ➜ Parsing at 7390: 'Imboden, Paul; DBA., Northcentral University'

🔍 parse_program: starting at line 7390: 'Imboden, Paul; DBA., Northcentral University'
  ➜ Title candidate: 'Imboden, Paul; DBA., Northcentral University'
  ❌ Invalid title line: 'Imboden, Paul; DBA., Northcentral University'
  ➜ Parsing at 7391: 'Jividen, Jim; J.D., Ohio Northern University'

🔍 parse_program: starting at line 7391: 'Jividen, Jim; J.D., Ohio Northern University'
  ➜ Title candidate: 'Jividen, Jim; J.D., Ohio Northern University'
  ❌ Invalid title line: 'Jividen, Jim; J.D., Ohio Northern University'
  ➜ Parsing at 7392: 'Jones, Alan; MBA, Dartmouth College'

🔍 parse_program: starting at line 7392: 'Jones, Alan; MBA, Dartmouth College'
  ➜ Title candidate: 'Jones, Alan; MBA, Dartmouth College'
  ❌ Invalid title line: 'Jones, Alan; MBA, Dartmouth College'
  ➜ Parsing at 7393: 'Justice, Jeanne; DBA, Walden University'

🔍 parse_program: starting at line 7393: 'Justice, Jeanne; DBA, Walden University'
  ➜ Title candidate: 'Justice, Jeanne; DBA, Walden University'
  ❌ Invalid title line: 'Justice, Jeanne; DBA, Walden University'
  ➜ Parsing at 7394: 'Kale, Mrinalini; Ph.D., Capella University'

🔍 parse_program: starting at line 7394: 'Kale, Mrinalini; Ph.D., Capella University'
  ➜ Title candidate: 'Kale, Mrinalini; Ph.D., Capella University'
  ❌ Invalid title line: 'Kale, Mrinalini; Ph.D., Capella University'
  ➜ Parsing at 7395: 'Kenny, Timothy; M.S., Regis University'

🔍 parse_program: starting at line 7395: 'Kenny, Timothy; M.S., Regis University'
  ➜ Title candidate: 'Kenny, Timothy; M.S., Regis University'
  ❌ Invalid title line: 'Kenny, Timothy; M.S., Regis University'
  ➜ Parsing at 7396: 'Kowalski, Christine; Ed.D., National Louis University'

🔍 parse_program: starting at line 7396: 'Kowalski, Christine; Ed.D., National Louis University'
  ➜ Title candidate: 'Kowalski, Christine; Ed.D., National Louis University'
  ❌ Invalid title line: 'Kowalski, Christine; Ed.D., National Louis University'
  ➜ Parsing at 7397: 'Kushniroff, Melinda; Ed.D., Liberty University'

🔍 parse_program: starting at line 7397: 'Kushniroff, Melinda; Ed.D., Liberty University'
  ➜ Title candidate: 'Kushniroff, Melinda; Ed.D., Liberty University'
  ❌ Invalid title line: 'Kushniroff, Melinda; Ed.D., Liberty University'
  ➜ Parsing at 7398: '© Western Governors University Jul 19, 2017 181'

🔍 parse_program: starting at line 7398: '© Western Governors University Jul 19, 2017 181'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'La Hay, Ann; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Lagroue, Harold; Ph.D., Louisiana State University'
  ➜ Skipping stray line: 'Lamer, Maryann; Ph.D., Oklahoma State University'
  ➜ Skipping stray line: 'Langdon, Debra; MBA, Denver University'
  ➜ Skipping stray line: 'Lutter-Cooper, Victoria; Ph.D., Capella University'
  ➜ Skipping stray line: 'Marshall, Mario; Ph.D., Florida Atlantic University'
  ➜ Skipping stray line: 'McClesky, Jamie; Ph.D., Capella University'
  ➜ Skipping stray line: 'McNulty, Peggy; Ph.D., University of Colorado-Colorado Springs'
  ➜ Skipping stray line: 'Melton, Rebecca; Ph.D., Chicago School of Professional Psychology'
  ➜ Skipping stray line: 'Mills, Colleen; Ph.D., Capella University'
  ➜ Skipping stray line: 'Moore, Detria; J.D., Liberty University'
  ➜ Skipping stray line: 'Neely, Cecil; MBA, University of North Carolina at Greensboro'
  ➜ Skipping stray line: 'Nelms, Linda; Ph.D., Capella University'
  ➜ Skipping stray line: 'Nelson, Camille; Ph.D., Gonzaga University'
  ➜ Skipping stray line: 'O’Brien, Joseph; Ed.D., George Washington University'
  ➜ Skipping stray line: 'Openshaw, Matthew; Ph.D., University of Texas at Dallas'
  ➜ Skipping stray line: 'Parish, Beth; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Patterson, Julie; Ph.D., University of Illinois at Urbana-Champaign'
  ➜ Skipping stray line: 'Pawarski, Richard; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Phillips, Patti; J.D., Stetson University'
  ➜ Skipping stray line: 'Pratt, Christopher; DHA, University of Phoenix'
  ➜ Skipping stray line: 'Raimo, Steve; DSL, Regent University'
  ➜ Skipping stray line: 'Richardson, Shay; DBA, Walden University'
  ➜ Skipping stray line: 'Roberts, Tracia; M.S., University of Phoenix'
  ➜ Skipping stray line: 'Roberts, Wade; Ph.D., University of Utah'
  ➜ Skipping stray line: 'Rogers, Katie; MBA, University of Utah'
  ➜ Skipping stray line: 'Sawant, Gauri; Ph.D., Lehigh University'
  ➜ Skipping stray line: 'Shah, Rob; MBA, DeVry University'
  ➜ Skipping stray line: 'Shepherd, Tracie; Ph.D., Northcentral University'
  ➜ Skipping stray line: 'Skinner, Susan; Ph.D., Tulane University'
  ➜ Skipping stray line: 'Snipes, Dawna; J.D., Western Michigan University'
  ➜ Skipping stray line: 'Souder, Michele; MBA, University of Dayton'
  ➜ Skipping stray line: 'Spicer, Ronald; Ph.D., Capella University'
  ➜ Skipping stray line: 'Stewart, Michelle; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Strickland, Cynthia; Ph.D., Touro University International'
  ➜ Skipping stray line: 'Swarthout, Nanette; MBA, Fontbonne University'
  ➜ Skipping stray line: 'Tapp, Timothy; MHA, Washington University'
  ➜ Skipping stray line: 'Thomas, Melanie; J.D., University of North Carolina'
  ➜ Skipping stray line: 'Venkateswar, Sankaran; Ph.D., University of Georgia'
  ➜ Skipping stray line: 'Wachter, Eddie; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Wade, Keith; MBA, University of Detroit'
  ➜ Skipping stray line: 'Walker, Natalie; DBA, Keiser University'
  ➜ Skipping stray line: 'Wang, Xiaofei; Ph.D., University of Kentucky'
  ➜ Skipping stray line: 'Williams, Pegeen; J.D., Quinnipiac University'
  ➜ Skipping stray line: 'Williams, Rian; MPA, University of Utah'
  ➜ Skipping stray line: 'Wood, Carrie; M.S., Strayer University'
  ➜ Skipping stray line: 'College of Information Technology'
  ➜ Skipping stray line: 'Al-Husaam, Abdul; Ph.D., Capella University'
  ➜ Skipping stray line: 'Alberici, Mary; Ph.D., University of Missouri-St. Louis'
  ➜ Skipping stray line: 'Allen, Candice; M.A., Capella University'
  ➜ Skipping stray line: 'Antonucci, Amy; M.S., University of Delaware'
  ➜ Skipping stray line: 'Banerjee, Pubali; Ph.D., Iowa State University'
  ➜ Skipping stray line: 'Beverley, Charles; Ph.D., University of South Carolina'
  ➜ Skipping stray line: 'Blanson, Constance; Ph.D., Capella University'
  ➜ Skipping stray line: 'Bojonny, John; M.S., Marywood University'
  ➜ Skipping stray line: 'Borsum, Pamela; MBA, Western Governors University'
  ➜ Skipping stray line: 'Campbell, Wendy; DBA, Northcentral University'
  ➜ Skipping stray line: 'Carter, Betty; M.S., Troy University'
  ➜ Skipping stray line: 'Cobbs, Dana; M.S., College of William and Mary'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 182'
  ➜ Skipping stray line: 'Cook, Henry; M.S., Clark Atlanta University'
  ➜ Skipping stray line: 'Crawford, Demetria; M.S., Boston University'
  ➜ Skipping stray line: 'Dupree, Yolanda; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Farmer, Jaynee; M.A., University of Arkansas at Little Rock'
  ➜ Skipping stray line: 'Ferdinand, Jeff; M.S., Trident University International'
  ➜ Skipping stray line: 'Gardner, Diana; MBA, Western Governors University'
  ➜ Skipping stray line: 'Garza, Brian; M.S., Western Governors University'
  ➜ Skipping stray line: 'Goodwin, Orenthio; Ph.D., Capella University'
  ➜ Skipping stray line: 'Heiner, Jenny; M.S., Capitol College'
  ➜ Skipping stray line: 'Huff, David; Ph.D., Wayne State University'
  ➜ Skipping stray line: 'Jensen, Bryan; M.S., Bellvue University'
  ➜ Skipping stray line: 'Kercher, Paul; M.S., Missouri University of Science and Technology'
  ➜ Skipping stray line: 'LaMolinare, Deana; M.S., Duquesne University'
  ➜ Skipping stray line: 'Lang, Cythia; MSCHe, University of Maryland'
  ➜ Skipping stray line: 'Lavieri, Edward; DCS, Colorado Technical University'
  ➜ Skipping stray line: 'Light, Gerri; M.S., Walden University'
  ➜ Skipping stray line: 'Lively, Charles; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'McFarlane, Michele; M.S., DeVry University'
  ➜ Skipping stray line: 'McLaughlin, Mike; M.S., University of Maine'
  ➜ Skipping stray line: 'Mendell, Ronald; M.S., Capitol College'
  ➜ Skipping stray line: 'Milham, Thomas; MNCM, DeVry University'
  ➜ Skipping stray line: 'Moore, Ronald; M.A., Troy University'
  ➜ Skipping stray line: 'Morrill, Ralph; Ph.D., North Central University'
  ➜ Skipping stray line: 'Ntinglet-Davis, Emelda; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Ozmer, Connie; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Paddock, Charles; Ph.D., University of Houston'
  ➜ Skipping stray line: 'Peterson, Michael; Ph.D., Capella University'
  ➜ Skipping stray line: 'Pinaire, Ken; MBA, University of Texas at Dallas'
  ➜ Skipping stray line: 'Rawlinson, David; J.D., South Texas College of Law'
  ➜ Skipping stray line: 'Schaefer, Brett; MBA, DeVry University'
  ➜ Skipping stray line: 'Shenk, Maria; M.S., City University of Seattle'
  ➜ Skipping stray line: 'Scutro, Rebecca; M.S., Saint Joseph’s University'
  ➜ Skipping stray line: 'Sewell, William; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Sher-DeCusatis, Carolyn; M.A., State University of New York at Stony Brook'
  ➜ Skipping stray line: 'Shields, Jessica; MFA, Savannah College of Art and Design'
  ➜ Skipping stray line: 'Sistelos, Antonio; Ph.D., Indiana State University'
  ➜ Skipping stray line: 'Stromberg, Scott; M.S., Nova Southeastern University'
  ➜ Skipping stray line: 'Swanson, Tom; Ph.D., Capella University'
  ➜ Skipping stray line: 'Taylor, Julinda; M.S., Wichita State University'
  ➜ Skipping stray line: 'Travis, Susan; M.A., University of Phoenix'
  ➜ Skipping stray line: 'College of Health Professions'
  ➜ Skipping stray line: 'Abdur-Rahman, Veronica; Ph.D., Texas Woman’s University'
  ➜ Skipping stray line: 'Abee, Debra; M.S., University of North Carolina Greensboro'
  ➜ Skipping stray line: 'Abraham, Gail; MSN/ED, University of Phoenix'
  ➜ Skipping stray line: 'Adams, Lora; M.S., Michigan State University'
  ➜ Skipping stray line: 'Adkins, Dee; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Allen, Juanita; DNP, University of Utah'
  ➜ Skipping stray line: 'Ashby, Shelley; DNP, University of Southern Indiana'
  ➜ Skipping stray line: 'Austgen, Donna; M.S., University of Indianapolis'
  ➜ Skipping stray line: 'Barber, Kendar; M.S., Indiana University'
  ➜ Skipping stray line: 'Battle, Linda; DNP, Regis College'
  ➜ Skipping stray line: 'Benoit, Heidi; M.S., Western Governors University'
  ➜ Skipping stray line: 'Benson, Johnett; DNP, Kent State University'
  ➜ Skipping stray line: 'Bergfeld, Marcia; M.S., Lourdes College'
  ➜ Skipping stray line: 'Berndt, Janeen; DNP, Valparaiso University'
  ➜ Skipping stray line: 'Blaine, Stephanie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Cain, Lyn; Ph.D., Grand Canyon University'
  ➜ Skipping stray line: 'Carney, Mary; DNP, Touro University – Nevada'
  ➜ Skipping stray line: 'Chau-Nguyen, Thao; MPH, Tulane University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 183'
  ➜ Skipping stray line: 'Cleveland, Melissa; DNP, Rocky Mountain University'
  ➜ Skipping stray line: 'Cloonan, Kelly; DNP, Case Western Reserve'
  ➜ Skipping stray line: 'Dahdal, Kimberly; M.S., Western Governors University'
  ➜ Skipping stray line: 'Dantzler, Barbara; Ph.D., Trident University'
  ➜ Skipping stray line: 'Diaz, Constance; Ph.D., University of Northern Colorado'
  ➜ Skipping stray line: 'Diaz, Lorna; DNP, Western University of Health Sciences'
  ➜ Skipping stray line: 'Dorin, Michelle; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Dush, Curtis; M.S., East Tennessee State University'
  ➜ Skipping stray line: 'Elmer, Justine; M.S., Kaplan University'
  ➜ Skipping stray line: 'Englert, Mary; DNP, University of North Florida'
  ➜ Skipping stray line: 'Feather, Rebecca; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Frankie, Sandra; M.S., Western Governors University'
  ➜ Skipping stray line: 'Gabel, Ann; M.S., University of Kansas'
  ➜ Skipping stray line: 'Gayol, Marcos; M.S., Aspen University'
  ➜ Skipping stray line: 'Giaquinto, Elisa; M.A., Brown University'
  ➜ Skipping stray line: 'Gogatz, Debra; DNP, Regis University'
  ➜ Skipping stray line: 'Golden, Christina; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Gottesfeld, Ilene; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Gwyn, Elizabeth; M.S., Winston Salem State University'
  ➜ Skipping stray line: 'Hadsell, Christine; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Hansen, Julie; Ph.D., South Dakota State University'
  ➜ Skipping stray line: 'Hartley-Clanton, Patricia; M.S., University of Utah'
  ➜ Skipping stray line: 'Hawkins, Shannon; M.S., Walden University'
  ➜ Skipping stray line: 'Heyer-Schmidt, Theres-Anne; ND, University of Colorado-Denver'
  ➜ Skipping stray line: 'Hill, Dana; Ph.D., Walden University'
  ➜ Skipping stray line: 'Hunt, Eleanor; M.S., Duke University'
  ➜ Skipping stray line: 'Johnson-Anderson, Heidi; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Kangas, Sandra; Ph.D., Georgia State University'
  ➜ Skipping stray line: 'Kogan, Lisa; M.S., Western Governors University'
  ➜ Skipping stray line: 'Langer Atkinson, Heidi; Ph.D., University of Albany'
  ➜ Skipping stray line: 'Lashlee, Marilyn; DNP, Northeastern University'
  ➜ Skipping stray line: 'Long, Jennifer; M.S., Indiana University'
  ➜ Skipping stray line: 'Marshall, Janet; Ph.D., Rush University'
  ➜ Title candidate: 'Masterson, Debra; Ed.D., Liberty University'
  ✔️ Collected description (40 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 7399: 'La Hay, Ann; Ed.D., University of Houston'

🔍 parse_program: starting at line 7399: 'La Hay, Ann; Ed.D., University of Houston'
  ➜ Title candidate: 'La Hay, Ann; Ed.D., University of Houston'
  ❌ Invalid title line: 'La Hay, Ann; Ed.D., University of Houston'
  ➜ Parsing at 7400: 'Lagroue, Harold; Ph.D., Louisiana State University'

🔍 parse_program: starting at line 7400: 'Lagroue, Harold; Ph.D., Louisiana State University'
  ➜ Title candidate: 'Lagroue, Harold; Ph.D., Louisiana State University'
  ❌ Invalid title line: 'Lagroue, Harold; Ph.D., Louisiana State University'
  ➜ Parsing at 7401: 'Lamer, Maryann; Ph.D., Oklahoma State University'

🔍 parse_program: starting at line 7401: 'Lamer, Maryann; Ph.D., Oklahoma State University'
  ➜ Title candidate: 'Lamer, Maryann; Ph.D., Oklahoma State University'
  ❌ Invalid title line: 'Lamer, Maryann; Ph.D., Oklahoma State University'
  ➜ Parsing at 7402: 'Langdon, Debra; MBA, Denver University'

🔍 parse_program: starting at line 7402: 'Langdon, Debra; MBA, Denver University'
  ➜ Title candidate: 'Langdon, Debra; MBA, Denver University'
  ❌ Invalid title line: 'Langdon, Debra; MBA, Denver University'
  ➜ Parsing at 7403: 'Lutter-Cooper, Victoria; Ph.D., Capella University'

🔍 parse_program: starting at line 7403: 'Lutter-Cooper, Victoria; Ph.D., Capella University'
  ➜ Title candidate: 'Lutter-Cooper, Victoria; Ph.D., Capella University'
  ❌ Invalid title line: 'Lutter-Cooper, Victoria; Ph.D., Capella University'
  ➜ Parsing at 7404: 'Marshall, Mario; Ph.D., Florida Atlantic University'

🔍 parse_program: starting at line 7404: 'Marshall, Mario; Ph.D., Florida Atlantic University'
  ➜ Title candidate: 'Marshall, Mario; Ph.D., Florida Atlantic University'
  ❌ Invalid title line: 'Marshall, Mario; Ph.D., Florida Atlantic University'
  ➜ Parsing at 7405: 'McClesky, Jamie; Ph.D., Capella University'

🔍 parse_program: starting at line 7405: 'McClesky, Jamie; Ph.D., Capella University'
  ➜ Title candidate: 'McClesky, Jamie; Ph.D., Capella University'
  ❌ Invalid title line: 'McClesky, Jamie; Ph.D., Capella University'
  ➜ Parsing at 7406: 'McNulty, Peggy; Ph.D., University of Colorado-Colorado Springs'

🔍 parse_program: starting at line 7406: 'McNulty, Peggy; Ph.D., University of Colorado-Colorado Springs'
  ➜ Title candidate: 'McNulty, Peggy; Ph.D., University of Colorado-Colorado Springs'
  ❌ Invalid title line: 'McNulty, Peggy; Ph.D., University of Colorado-Colorado Springs'
  ➜ Parsing at 7407: 'Melton, Rebecca; Ph.D., Chicago School of Professional Psychology'

🔍 parse_program: starting at line 7407: 'Melton, Rebecca; Ph.D., Chicago School of Professional Psychology'
  ➜ Title candidate: 'Melton, Rebecca; Ph.D., Chicago School of Professional Psychology'
  ❌ Invalid title line: 'Melton, Rebecca; Ph.D., Chicago School of Professional Psychology'
  ➜ Parsing at 7408: 'Mills, Colleen; Ph.D., Capella University'

🔍 parse_program: starting at line 7408: 'Mills, Colleen; Ph.D., Capella University'
  ➜ Title candidate: 'Mills, Colleen; Ph.D., Capella University'
  ❌ Invalid title line: 'Mills, Colleen; Ph.D., Capella University'
  ➜ Parsing at 7409: 'Moore, Detria; J.D., Liberty University'

🔍 parse_program: starting at line 7409: 'Moore, Detria; J.D., Liberty University'
  ➜ Title candidate: 'Moore, Detria; J.D., Liberty University'
  ❌ Invalid title line: 'Moore, Detria; J.D., Liberty University'
  ➜ Parsing at 7410: 'Neely, Cecil; MBA, University of North Carolina at Greensboro'

🔍 parse_program: starting at line 7410: 'Neely, Cecil; MBA, University of North Carolina at Greensboro'
  ➜ Title candidate: 'Neely, Cecil; MBA, University of North Carolina at Greensboro'
  ❌ Invalid title line: 'Neely, Cecil; MBA, University of North Carolina at Greensboro'
  ➜ Parsing at 7411: 'Nelms, Linda; Ph.D., Capella University'

🔍 parse_program: starting at line 7411: 'Nelms, Linda; Ph.D., Capella University'
  ➜ Title candidate: 'Nelms, Linda; Ph.D., Capella University'
  ❌ Invalid title line: 'Nelms, Linda; Ph.D., Capella University'
  ➜ Parsing at 7412: 'Nelson, Camille; Ph.D., Gonzaga University'

🔍 parse_program: starting at line 7412: 'Nelson, Camille; Ph.D., Gonzaga University'
  ➜ Title candidate: 'Nelson, Camille; Ph.D., Gonzaga University'
  ❌ Invalid title line: 'Nelson, Camille; Ph.D., Gonzaga University'
  ➜ Parsing at 7413: 'O’Brien, Joseph; Ed.D., George Washington University'

🔍 parse_program: starting at line 7413: 'O’Brien, Joseph; Ed.D., George Washington University'
  ➜ Title candidate: 'O’Brien, Joseph; Ed.D., George Washington University'
  ❌ Invalid title line: 'O’Brien, Joseph; Ed.D., George Washington University'
  ➜ Parsing at 7414: 'Openshaw, Matthew; Ph.D., University of Texas at Dallas'

🔍 parse_program: starting at line 7414: 'Openshaw, Matthew; Ph.D., University of Texas at Dallas'
  ➜ Title candidate: 'Openshaw, Matthew; Ph.D., University of Texas at Dallas'
  ❌ Invalid title line: 'Openshaw, Matthew; Ph.D., University of Texas at Dallas'
  ➜ Parsing at 7415: 'Parish, Beth; Ed.D., Argosy University'

🔍 parse_program: starting at line 7415: 'Parish, Beth; Ed.D., Argosy University'
  ➜ Title candidate: 'Parish, Beth; Ed.D., Argosy University'
  ❌ Invalid title line: 'Parish, Beth; Ed.D., Argosy University'
  ➜ Parsing at 7416: 'Patterson, Julie; Ph.D., University of Illinois at Urbana-Champaign'

🔍 parse_program: starting at line 7416: 'Patterson, Julie; Ph.D., University of Illinois at Urbana-Champaign'
  ➜ Title candidate: 'Patterson, Julie; Ph.D., University of Illinois at Urbana-Champaign'
  ❌ Invalid title line: 'Patterson, Julie; Ph.D., University of Illinois at Urbana-Champaign'
  ➜ Parsing at 7417: 'Pawarski, Richard; Ph.D., Northcentral University'

🔍 parse_program: starting at line 7417: 'Pawarski, Richard; Ph.D., Northcentral University'
  ➜ Title candidate: 'Pawarski, Richard; Ph.D., Northcentral University'
  ❌ Invalid title line: 'Pawarski, Richard; Ph.D., Northcentral University'
  ➜ Parsing at 7418: 'Phillips, Patti; J.D., Stetson University'

🔍 parse_program: starting at line 7418: 'Phillips, Patti; J.D., Stetson University'
  ➜ Title candidate: 'Phillips, Patti; J.D., Stetson University'
  ❌ Invalid title line: 'Phillips, Patti; J.D., Stetson University'
  ➜ Parsing at 7419: 'Pratt, Christopher; DHA, University of Phoenix'

🔍 parse_program: starting at line 7419: 'Pratt, Christopher; DHA, University of Phoenix'
  ➜ Title candidate: 'Pratt, Christopher; DHA, University of Phoenix'
  ❌ Invalid title line: 'Pratt, Christopher; DHA, University of Phoenix'
  ➜ Parsing at 7420: 'Raimo, Steve; DSL, Regent University'

🔍 parse_program: starting at line 7420: 'Raimo, Steve; DSL, Regent University'
  ➜ Title candidate: 'Raimo, Steve; DSL, Regent University'
  ❌ Invalid title line: 'Raimo, Steve; DSL, Regent University'
  ➜ Parsing at 7421: 'Richardson, Shay; DBA, Walden University'

🔍 parse_program: starting at line 7421: 'Richardson, Shay; DBA, Walden University'
  ➜ Title candidate: 'Richardson, Shay; DBA, Walden University'
  ❌ Invalid title line: 'Richardson, Shay; DBA, Walden University'
  ➜ Parsing at 7422: 'Roberts, Tracia; M.S., University of Phoenix'

🔍 parse_program: starting at line 7422: 'Roberts, Tracia; M.S., University of Phoenix'
  ➜ Title candidate: 'Roberts, Tracia; M.S., University of Phoenix'
  ❌ Invalid title line: 'Roberts, Tracia; M.S., University of Phoenix'
  ➜ Parsing at 7423: 'Roberts, Wade; Ph.D., University of Utah'

🔍 parse_program: starting at line 7423: 'Roberts, Wade; Ph.D., University of Utah'
  ➜ Title candidate: 'Roberts, Wade; Ph.D., University of Utah'
  ❌ Invalid title line: 'Roberts, Wade; Ph.D., University of Utah'
  ➜ Parsing at 7424: 'Rogers, Katie; MBA, University of Utah'

🔍 parse_program: starting at line 7424: 'Rogers, Katie; MBA, University of Utah'
  ➜ Title candidate: 'Rogers, Katie; MBA, University of Utah'
  ❌ Invalid title line: 'Rogers, Katie; MBA, University of Utah'
  ➜ Parsing at 7425: 'Sawant, Gauri; Ph.D., Lehigh University'

🔍 parse_program: starting at line 7425: 'Sawant, Gauri; Ph.D., Lehigh University'
  ➜ Title candidate: 'Sawant, Gauri; Ph.D., Lehigh University'
  ❌ Invalid title line: 'Sawant, Gauri; Ph.D., Lehigh University'
  ➜ Parsing at 7426: 'Shah, Rob; MBA, DeVry University'

🔍 parse_program: starting at line 7426: 'Shah, Rob; MBA, DeVry University'
  ➜ Title candidate: 'Shah, Rob; MBA, DeVry University'
  ❌ Invalid title line: 'Shah, Rob; MBA, DeVry University'
  ➜ Parsing at 7427: 'Shepherd, Tracie; Ph.D., Northcentral University'

🔍 parse_program: starting at line 7427: 'Shepherd, Tracie; Ph.D., Northcentral University'
  ➜ Title candidate: 'Shepherd, Tracie; Ph.D., Northcentral University'
  ❌ Invalid title line: 'Shepherd, Tracie; Ph.D., Northcentral University'
  ➜ Parsing at 7428: 'Skinner, Susan; Ph.D., Tulane University'

🔍 parse_program: starting at line 7428: 'Skinner, Susan; Ph.D., Tulane University'
  ➜ Title candidate: 'Skinner, Susan; Ph.D., Tulane University'
  ❌ Invalid title line: 'Skinner, Susan; Ph.D., Tulane University'
  ➜ Parsing at 7429: 'Snipes, Dawna; J.D., Western Michigan University'

🔍 parse_program: starting at line 7429: 'Snipes, Dawna; J.D., Western Michigan University'
  ➜ Title candidate: 'Snipes, Dawna; J.D., Western Michigan University'
  ❌ Invalid title line: 'Snipes, Dawna; J.D., Western Michigan University'
  ➜ Parsing at 7430: 'Souder, Michele; MBA, University of Dayton'

🔍 parse_program: starting at line 7430: 'Souder, Michele; MBA, University of Dayton'
  ➜ Title candidate: 'Souder, Michele; MBA, University of Dayton'
  ❌ Invalid title line: 'Souder, Michele; MBA, University of Dayton'
  ➜ Parsing at 7431: 'Spicer, Ronald; Ph.D., Capella University'

🔍 parse_program: starting at line 7431: 'Spicer, Ronald; Ph.D., Capella University'
  ➜ Title candidate: 'Spicer, Ronald; Ph.D., Capella University'
  ❌ Invalid title line: 'Spicer, Ronald; Ph.D., Capella University'
  ➜ Parsing at 7432: 'Stewart, Michelle; MBA, University of Phoenix'

🔍 parse_program: starting at line 7432: 'Stewart, Michelle; MBA, University of Phoenix'
  ➜ Title candidate: 'Stewart, Michelle; MBA, University of Phoenix'
  ❌ Invalid title line: 'Stewart, Michelle; MBA, University of Phoenix'
  ➜ Parsing at 7433: 'Strickland, Cynthia; Ph.D., Touro University International'

🔍 parse_program: starting at line 7433: 'Strickland, Cynthia; Ph.D., Touro University International'
  ➜ Title candidate: 'Strickland, Cynthia; Ph.D., Touro University International'
  ❌ Invalid title line: 'Strickland, Cynthia; Ph.D., Touro University International'
  ➜ Parsing at 7434: 'Swarthout, Nanette; MBA, Fontbonne University'

🔍 parse_program: starting at line 7434: 'Swarthout, Nanette; MBA, Fontbonne University'
  ➜ Title candidate: 'Swarthout, Nanette; MBA, Fontbonne University'
  ❌ Invalid title line: 'Swarthout, Nanette; MBA, Fontbonne University'
  ➜ Parsing at 7435: 'Tapp, Timothy; MHA, Washington University'

🔍 parse_program: starting at line 7435: 'Tapp, Timothy; MHA, Washington University'
  ➜ Title candidate: 'Tapp, Timothy; MHA, Washington University'
  ❌ Invalid title line: 'Tapp, Timothy; MHA, Washington University'
  ➜ Parsing at 7436: 'Thomas, Melanie; J.D., University of North Carolina'

🔍 parse_program: starting at line 7436: 'Thomas, Melanie; J.D., University of North Carolina'
  ➜ Title candidate: 'Thomas, Melanie; J.D., University of North Carolina'
  ❌ Invalid title line: 'Thomas, Melanie; J.D., University of North Carolina'
  ➜ Parsing at 7437: 'Venkateswar, Sankaran; Ph.D., University of Georgia'

🔍 parse_program: starting at line 7437: 'Venkateswar, Sankaran; Ph.D., University of Georgia'
  ➜ Title candidate: 'Venkateswar, Sankaran; Ph.D., University of Georgia'
  ❌ Invalid title line: 'Venkateswar, Sankaran; Ph.D., University of Georgia'
  ➜ Parsing at 7438: 'Wachter, Eddie; Ph.D., Nova Southeastern University'

🔍 parse_program: starting at line 7438: 'Wachter, Eddie; Ph.D., Nova Southeastern University'
  ➜ Title candidate: 'Wachter, Eddie; Ph.D., Nova Southeastern University'
  ❌ Invalid title line: 'Wachter, Eddie; Ph.D., Nova Southeastern University'
  ➜ Parsing at 7439: 'Wade, Keith; MBA, University of Detroit'

🔍 parse_program: starting at line 7439: 'Wade, Keith; MBA, University of Detroit'
  ➜ Title candidate: 'Wade, Keith; MBA, University of Detroit'
  ❌ Invalid title line: 'Wade, Keith; MBA, University of Detroit'
  ➜ Parsing at 7440: 'Walker, Natalie; DBA, Keiser University'

🔍 parse_program: starting at line 7440: 'Walker, Natalie; DBA, Keiser University'
  ➜ Title candidate: 'Walker, Natalie; DBA, Keiser University'
  ❌ Invalid title line: 'Walker, Natalie; DBA, Keiser University'
  ➜ Parsing at 7441: 'Wang, Xiaofei; Ph.D., University of Kentucky'

🔍 parse_program: starting at line 7441: 'Wang, Xiaofei; Ph.D., University of Kentucky'
  ➜ Title candidate: 'Wang, Xiaofei; Ph.D., University of Kentucky'
  ❌ Invalid title line: 'Wang, Xiaofei; Ph.D., University of Kentucky'
  ➜ Parsing at 7442: 'Williams, Pegeen; J.D., Quinnipiac University'

🔍 parse_program: starting at line 7442: 'Williams, Pegeen; J.D., Quinnipiac University'
  ➜ Title candidate: 'Williams, Pegeen; J.D., Quinnipiac University'
  ❌ Invalid title line: 'Williams, Pegeen; J.D., Quinnipiac University'
  ➜ Parsing at 7443: 'Williams, Rian; MPA, University of Utah'

🔍 parse_program: starting at line 7443: 'Williams, Rian; MPA, University of Utah'
  ➜ Title candidate: 'Williams, Rian; MPA, University of Utah'
  ❌ Invalid title line: 'Williams, Rian; MPA, University of Utah'
  ➜ Parsing at 7444: 'Wood, Carrie; M.S., Strayer University'

🔍 parse_program: starting at line 7444: 'Wood, Carrie; M.S., Strayer University'
  ➜ Title candidate: 'Wood, Carrie; M.S., Strayer University'
  ❌ Invalid title line: 'Wood, Carrie; M.S., Strayer University'
  ➜ Parsing at 7445: 'College of Information Technology'

🔍 parse_program: starting at line 7445: 'College of Information Technology'
  ➜ Title candidate: 'College of Information Technology'
  ❌ Invalid title line: 'College of Information Technology'
  ➜ Parsing at 7446: 'Al-Husaam, Abdul; Ph.D., Capella University'

🔍 parse_program: starting at line 7446: 'Al-Husaam, Abdul; Ph.D., Capella University'
  ➜ Title candidate: 'Al-Husaam, Abdul; Ph.D., Capella University'
  ❌ Invalid title line: 'Al-Husaam, Abdul; Ph.D., Capella University'
  ➜ Parsing at 7447: 'Alberici, Mary; Ph.D., University of Missouri-St. Louis'

🔍 parse_program: starting at line 7447: 'Alberici, Mary; Ph.D., University of Missouri-St. Louis'
  ➜ Title candidate: 'Alberici, Mary; Ph.D., University of Missouri-St. Louis'
  ❌ Invalid title line: 'Alberici, Mary; Ph.D., University of Missouri-St. Louis'
  ➜ Parsing at 7448: 'Allen, Candice; M.A., Capella University'

🔍 parse_program: starting at line 7448: 'Allen, Candice; M.A., Capella University'
  ➜ Title candidate: 'Allen, Candice; M.A., Capella University'
  ❌ Invalid title line: 'Allen, Candice; M.A., Capella University'
  ➜ Parsing at 7449: 'Antonucci, Amy; M.S., University of Delaware'

🔍 parse_program: starting at line 7449: 'Antonucci, Amy; M.S., University of Delaware'
  ➜ Title candidate: 'Antonucci, Amy; M.S., University of Delaware'
  ❌ Invalid title line: 'Antonucci, Amy; M.S., University of Delaware'
  ➜ Parsing at 7450: 'Banerjee, Pubali; Ph.D., Iowa State University'

🔍 parse_program: starting at line 7450: 'Banerjee, Pubali; Ph.D., Iowa State University'
  ➜ Title candidate: 'Banerjee, Pubali; Ph.D., Iowa State University'
  ❌ Invalid title line: 'Banerjee, Pubali; Ph.D., Iowa State University'
  ➜ Parsing at 7451: 'Beverley, Charles; Ph.D., University of South Carolina'

🔍 parse_program: starting at line 7451: 'Beverley, Charles; Ph.D., University of South Carolina'
  ➜ Title candidate: 'Beverley, Charles; Ph.D., University of South Carolina'
  ❌ Invalid title line: 'Beverley, Charles; Ph.D., University of South Carolina'
  ➜ Parsing at 7452: 'Blanson, Constance; Ph.D., Capella University'

🔍 parse_program: starting at line 7452: 'Blanson, Constance; Ph.D., Capella University'
  ➜ Title candidate: 'Blanson, Constance; Ph.D., Capella University'
  ❌ Invalid title line: 'Blanson, Constance; Ph.D., Capella University'
  ➜ Parsing at 7453: 'Bojonny, John; M.S., Marywood University'

🔍 parse_program: starting at line 7453: 'Bojonny, John; M.S., Marywood University'
  ➜ Title candidate: 'Bojonny, John; M.S., Marywood University'
  ❌ Invalid title line: 'Bojonny, John; M.S., Marywood University'
  ➜ Parsing at 7454: 'Borsum, Pamela; MBA, Western Governors University'

🔍 parse_program: starting at line 7454: 'Borsum, Pamela; MBA, Western Governors University'
  ➜ Title candidate: 'Borsum, Pamela; MBA, Western Governors University'
  ❌ Invalid title line: 'Borsum, Pamela; MBA, Western Governors University'
  ➜ Parsing at 7455: 'Campbell, Wendy; DBA, Northcentral University'

🔍 parse_program: starting at line 7455: 'Campbell, Wendy; DBA, Northcentral University'
  ➜ Title candidate: 'Campbell, Wendy; DBA, Northcentral University'
  ❌ Invalid title line: 'Campbell, Wendy; DBA, Northcentral University'
  ➜ Parsing at 7456: 'Carter, Betty; M.S., Troy University'

🔍 parse_program: starting at line 7456: 'Carter, Betty; M.S., Troy University'
  ➜ Title candidate: 'Carter, Betty; M.S., Troy University'
  ❌ Invalid title line: 'Carter, Betty; M.S., Troy University'
  ➜ Parsing at 7457: 'Cobbs, Dana; M.S., College of William and Mary'

🔍 parse_program: starting at line 7457: 'Cobbs, Dana; M.S., College of William and Mary'
  ➜ Title candidate: 'Cobbs, Dana; M.S., College of William and Mary'
  ❌ Invalid title line: 'Cobbs, Dana; M.S., College of William and Mary'
  ➜ Parsing at 7458: '© Western Governors University Jul 19, 2017 182'

🔍 parse_program: starting at line 7458: '© Western Governors University Jul 19, 2017 182'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'Cook, Henry; M.S., Clark Atlanta University'
  ➜ Skipping stray line: 'Crawford, Demetria; M.S., Boston University'
  ➜ Skipping stray line: 'Dupree, Yolanda; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Farmer, Jaynee; M.A., University of Arkansas at Little Rock'
  ➜ Skipping stray line: 'Ferdinand, Jeff; M.S., Trident University International'
  ➜ Skipping stray line: 'Gardner, Diana; MBA, Western Governors University'
  ➜ Skipping stray line: 'Garza, Brian; M.S., Western Governors University'
  ➜ Skipping stray line: 'Goodwin, Orenthio; Ph.D., Capella University'
  ➜ Skipping stray line: 'Heiner, Jenny; M.S., Capitol College'
  ➜ Skipping stray line: 'Huff, David; Ph.D., Wayne State University'
  ➜ Skipping stray line: 'Jensen, Bryan; M.S., Bellvue University'
  ➜ Skipping stray line: 'Kercher, Paul; M.S., Missouri University of Science and Technology'
  ➜ Skipping stray line: 'LaMolinare, Deana; M.S., Duquesne University'
  ➜ Skipping stray line: 'Lang, Cythia; MSCHe, University of Maryland'
  ➜ Skipping stray line: 'Lavieri, Edward; DCS, Colorado Technical University'
  ➜ Skipping stray line: 'Light, Gerri; M.S., Walden University'
  ➜ Skipping stray line: 'Lively, Charles; Ph.D., Texas A&M University'
  ➜ Skipping stray line: 'McFarlane, Michele; M.S., DeVry University'
  ➜ Skipping stray line: 'McLaughlin, Mike; M.S., University of Maine'
  ➜ Skipping stray line: 'Mendell, Ronald; M.S., Capitol College'
  ➜ Skipping stray line: 'Milham, Thomas; MNCM, DeVry University'
  ➜ Skipping stray line: 'Moore, Ronald; M.A., Troy University'
  ➜ Skipping stray line: 'Morrill, Ralph; Ph.D., North Central University'
  ➜ Skipping stray line: 'Ntinglet-Davis, Emelda; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Ozmer, Connie; M.A., University of Phoenix'
  ➜ Skipping stray line: 'Paddock, Charles; Ph.D., University of Houston'
  ➜ Skipping stray line: 'Peterson, Michael; Ph.D., Capella University'
  ➜ Skipping stray line: 'Pinaire, Ken; MBA, University of Texas at Dallas'
  ➜ Skipping stray line: 'Rawlinson, David; J.D., South Texas College of Law'
  ➜ Skipping stray line: 'Schaefer, Brett; MBA, DeVry University'
  ➜ Skipping stray line: 'Shenk, Maria; M.S., City University of Seattle'
  ➜ Skipping stray line: 'Scutro, Rebecca; M.S., Saint Joseph’s University'
  ➜ Skipping stray line: 'Sewell, William; Ed.D., University of Houston'
  ➜ Skipping stray line: 'Sher-DeCusatis, Carolyn; M.A., State University of New York at Stony Brook'
  ➜ Skipping stray line: 'Shields, Jessica; MFA, Savannah College of Art and Design'
  ➜ Skipping stray line: 'Sistelos, Antonio; Ph.D., Indiana State University'
  ➜ Skipping stray line: 'Stromberg, Scott; M.S., Nova Southeastern University'
  ➜ Skipping stray line: 'Swanson, Tom; Ph.D., Capella University'
  ➜ Skipping stray line: 'Taylor, Julinda; M.S., Wichita State University'
  ➜ Skipping stray line: 'Travis, Susan; M.A., University of Phoenix'
  ➜ Skipping stray line: 'College of Health Professions'
  ➜ Skipping stray line: 'Abdur-Rahman, Veronica; Ph.D., Texas Woman’s University'
  ➜ Skipping stray line: 'Abee, Debra; M.S., University of North Carolina Greensboro'
  ➜ Skipping stray line: 'Abraham, Gail; MSN/ED, University of Phoenix'
  ➜ Skipping stray line: 'Adams, Lora; M.S., Michigan State University'
  ➜ Skipping stray line: 'Adkins, Dee; Ph.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Allen, Juanita; DNP, University of Utah'
  ➜ Skipping stray line: 'Ashby, Shelley; DNP, University of Southern Indiana'
  ➜ Skipping stray line: 'Austgen, Donna; M.S., University of Indianapolis'
  ➜ Skipping stray line: 'Barber, Kendar; M.S., Indiana University'
  ➜ Skipping stray line: 'Battle, Linda; DNP, Regis College'
  ➜ Skipping stray line: 'Benoit, Heidi; M.S., Western Governors University'
  ➜ Skipping stray line: 'Benson, Johnett; DNP, Kent State University'
  ➜ Skipping stray line: 'Bergfeld, Marcia; M.S., Lourdes College'
  ➜ Skipping stray line: 'Berndt, Janeen; DNP, Valparaiso University'
  ➜ Skipping stray line: 'Blaine, Stephanie; Ph.D., Capella University'
  ➜ Skipping stray line: 'Cain, Lyn; Ph.D., Grand Canyon University'
  ➜ Skipping stray line: 'Carney, Mary; DNP, Touro University – Nevada'
  ➜ Skipping stray line: 'Chau-Nguyen, Thao; MPH, Tulane University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 183'
  ➜ Skipping stray line: 'Cleveland, Melissa; DNP, Rocky Mountain University'
  ➜ Skipping stray line: 'Cloonan, Kelly; DNP, Case Western Reserve'
  ➜ Skipping stray line: 'Dahdal, Kimberly; M.S., Western Governors University'
  ➜ Skipping stray line: 'Dantzler, Barbara; Ph.D., Trident University'
  ➜ Skipping stray line: 'Diaz, Constance; Ph.D., University of Northern Colorado'
  ➜ Skipping stray line: 'Diaz, Lorna; DNP, Western University of Health Sciences'
  ➜ Skipping stray line: 'Dorin, Michelle; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Dush, Curtis; M.S., East Tennessee State University'
  ➜ Skipping stray line: 'Elmer, Justine; M.S., Kaplan University'
  ➜ Skipping stray line: 'Englert, Mary; DNP, University of North Florida'
  ➜ Skipping stray line: 'Feather, Rebecca; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Frankie, Sandra; M.S., Western Governors University'
  ➜ Skipping stray line: 'Gabel, Ann; M.S., University of Kansas'
  ➜ Skipping stray line: 'Gayol, Marcos; M.S., Aspen University'
  ➜ Skipping stray line: 'Giaquinto, Elisa; M.A., Brown University'
  ➜ Skipping stray line: 'Gogatz, Debra; DNP, Regis University'
  ➜ Skipping stray line: 'Golden, Christina; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Gottesfeld, Ilene; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Gwyn, Elizabeth; M.S., Winston Salem State University'
  ➜ Skipping stray line: 'Hadsell, Christine; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Hansen, Julie; Ph.D., South Dakota State University'
  ➜ Skipping stray line: 'Hartley-Clanton, Patricia; M.S., University of Utah'
  ➜ Skipping stray line: 'Hawkins, Shannon; M.S., Walden University'
  ➜ Skipping stray line: 'Heyer-Schmidt, Theres-Anne; ND, University of Colorado-Denver'
  ➜ Skipping stray line: 'Hill, Dana; Ph.D., Walden University'
  ➜ Skipping stray line: 'Hunt, Eleanor; M.S., Duke University'
  ➜ Skipping stray line: 'Johnson-Anderson, Heidi; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Kangas, Sandra; Ph.D., Georgia State University'
  ➜ Skipping stray line: 'Kogan, Lisa; M.S., Western Governors University'
  ➜ Skipping stray line: 'Langer Atkinson, Heidi; Ph.D., University of Albany'
  ➜ Skipping stray line: 'Lashlee, Marilyn; DNP, Northeastern University'
  ➜ Skipping stray line: 'Long, Jennifer; M.S., Indiana University'
  ➜ Skipping stray line: 'Marshall, Janet; Ph.D., Rush University'
  ➜ Title candidate: 'Masterson, Debra; Ed.D., Liberty University'
  ✔️ Collected description (40 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 7459: 'Cook, Henry; M.S., Clark Atlanta University'

🔍 parse_program: starting at line 7459: 'Cook, Henry; M.S., Clark Atlanta University'
  ➜ Title candidate: 'Cook, Henry; M.S., Clark Atlanta University'
  ❌ Invalid title line: 'Cook, Henry; M.S., Clark Atlanta University'
  ➜ Parsing at 7460: 'Crawford, Demetria; M.S., Boston University'

🔍 parse_program: starting at line 7460: 'Crawford, Demetria; M.S., Boston University'
  ➜ Title candidate: 'Crawford, Demetria; M.S., Boston University'
  ❌ Invalid title line: 'Crawford, Demetria; M.S., Boston University'
  ➜ Parsing at 7461: 'Dupree, Yolanda; Ph.D., Nova Southeastern University'

🔍 parse_program: starting at line 7461: 'Dupree, Yolanda; Ph.D., Nova Southeastern University'
  ➜ Title candidate: 'Dupree, Yolanda; Ph.D., Nova Southeastern University'
  ❌ Invalid title line: 'Dupree, Yolanda; Ph.D., Nova Southeastern University'
  ➜ Parsing at 7462: 'Farmer, Jaynee; M.A., University of Arkansas at Little Rock'

🔍 parse_program: starting at line 7462: 'Farmer, Jaynee; M.A., University of Arkansas at Little Rock'
  ➜ Title candidate: 'Farmer, Jaynee; M.A., University of Arkansas at Little Rock'
  ❌ Invalid title line: 'Farmer, Jaynee; M.A., University of Arkansas at Little Rock'
  ➜ Parsing at 7463: 'Ferdinand, Jeff; M.S., Trident University International'

🔍 parse_program: starting at line 7463: 'Ferdinand, Jeff; M.S., Trident University International'
  ➜ Title candidate: 'Ferdinand, Jeff; M.S., Trident University International'
  ❌ Invalid title line: 'Ferdinand, Jeff; M.S., Trident University International'
  ➜ Parsing at 7464: 'Gardner, Diana; MBA, Western Governors University'

🔍 parse_program: starting at line 7464: 'Gardner, Diana; MBA, Western Governors University'
  ➜ Title candidate: 'Gardner, Diana; MBA, Western Governors University'
  ❌ Invalid title line: 'Gardner, Diana; MBA, Western Governors University'
  ➜ Parsing at 7465: 'Garza, Brian; M.S., Western Governors University'

🔍 parse_program: starting at line 7465: 'Garza, Brian; M.S., Western Governors University'
  ➜ Title candidate: 'Garza, Brian; M.S., Western Governors University'
  ❌ Invalid title line: 'Garza, Brian; M.S., Western Governors University'
  ➜ Parsing at 7466: 'Goodwin, Orenthio; Ph.D., Capella University'

🔍 parse_program: starting at line 7466: 'Goodwin, Orenthio; Ph.D., Capella University'
  ➜ Title candidate: 'Goodwin, Orenthio; Ph.D., Capella University'
  ❌ Invalid title line: 'Goodwin, Orenthio; Ph.D., Capella University'
  ➜ Parsing at 7467: 'Heiner, Jenny; M.S., Capitol College'

🔍 parse_program: starting at line 7467: 'Heiner, Jenny; M.S., Capitol College'
  ➜ Title candidate: 'Heiner, Jenny; M.S., Capitol College'
  ❌ Invalid title line: 'Heiner, Jenny; M.S., Capitol College'
  ➜ Parsing at 7468: 'Huff, David; Ph.D., Wayne State University'

🔍 parse_program: starting at line 7468: 'Huff, David; Ph.D., Wayne State University'
  ➜ Title candidate: 'Huff, David; Ph.D., Wayne State University'
  ❌ Invalid title line: 'Huff, David; Ph.D., Wayne State University'
  ➜ Parsing at 7469: 'Jensen, Bryan; M.S., Bellvue University'

🔍 parse_program: starting at line 7469: 'Jensen, Bryan; M.S., Bellvue University'
  ➜ Title candidate: 'Jensen, Bryan; M.S., Bellvue University'
  ❌ Invalid title line: 'Jensen, Bryan; M.S., Bellvue University'
  ➜ Parsing at 7470: 'Kercher, Paul; M.S., Missouri University of Science and Technology'

🔍 parse_program: starting at line 7470: 'Kercher, Paul; M.S., Missouri University of Science and Technology'
  ➜ Title candidate: 'Kercher, Paul; M.S., Missouri University of Science and Technology'
  ❌ Invalid title line: 'Kercher, Paul; M.S., Missouri University of Science and Technology'
  ➜ Parsing at 7471: 'LaMolinare, Deana; M.S., Duquesne University'

🔍 parse_program: starting at line 7471: 'LaMolinare, Deana; M.S., Duquesne University'
  ➜ Title candidate: 'LaMolinare, Deana; M.S., Duquesne University'
  ❌ Invalid title line: 'LaMolinare, Deana; M.S., Duquesne University'
  ➜ Parsing at 7472: 'Lang, Cythia; MSCHe, University of Maryland'

🔍 parse_program: starting at line 7472: 'Lang, Cythia; MSCHe, University of Maryland'
  ➜ Title candidate: 'Lang, Cythia; MSCHe, University of Maryland'
  ❌ Invalid title line: 'Lang, Cythia; MSCHe, University of Maryland'
  ➜ Parsing at 7473: 'Lavieri, Edward; DCS, Colorado Technical University'

🔍 parse_program: starting at line 7473: 'Lavieri, Edward; DCS, Colorado Technical University'
  ➜ Title candidate: 'Lavieri, Edward; DCS, Colorado Technical University'
  ❌ Invalid title line: 'Lavieri, Edward; DCS, Colorado Technical University'
  ➜ Parsing at 7474: 'Light, Gerri; M.S., Walden University'

🔍 parse_program: starting at line 7474: 'Light, Gerri; M.S., Walden University'
  ➜ Title candidate: 'Light, Gerri; M.S., Walden University'
  ❌ Invalid title line: 'Light, Gerri; M.S., Walden University'
  ➜ Parsing at 7475: 'Lively, Charles; Ph.D., Texas A&M University'

🔍 parse_program: starting at line 7475: 'Lively, Charles; Ph.D., Texas A&M University'
  ➜ Title candidate: 'Lively, Charles; Ph.D., Texas A&M University'
  ❌ Invalid title line: 'Lively, Charles; Ph.D., Texas A&M University'
  ➜ Parsing at 7476: 'McFarlane, Michele; M.S., DeVry University'

🔍 parse_program: starting at line 7476: 'McFarlane, Michele; M.S., DeVry University'
  ➜ Title candidate: 'McFarlane, Michele; M.S., DeVry University'
  ❌ Invalid title line: 'McFarlane, Michele; M.S., DeVry University'
  ➜ Parsing at 7477: 'McLaughlin, Mike; M.S., University of Maine'

🔍 parse_program: starting at line 7477: 'McLaughlin, Mike; M.S., University of Maine'
  ➜ Title candidate: 'McLaughlin, Mike; M.S., University of Maine'
  ❌ Invalid title line: 'McLaughlin, Mike; M.S., University of Maine'
  ➜ Parsing at 7478: 'Mendell, Ronald; M.S., Capitol College'

🔍 parse_program: starting at line 7478: 'Mendell, Ronald; M.S., Capitol College'
  ➜ Title candidate: 'Mendell, Ronald; M.S., Capitol College'
  ❌ Invalid title line: 'Mendell, Ronald; M.S., Capitol College'
  ➜ Parsing at 7479: 'Milham, Thomas; MNCM, DeVry University'

🔍 parse_program: starting at line 7479: 'Milham, Thomas; MNCM, DeVry University'
  ➜ Title candidate: 'Milham, Thomas; MNCM, DeVry University'
  ❌ Invalid title line: 'Milham, Thomas; MNCM, DeVry University'
  ➜ Parsing at 7480: 'Moore, Ronald; M.A., Troy University'

🔍 parse_program: starting at line 7480: 'Moore, Ronald; M.A., Troy University'
  ➜ Title candidate: 'Moore, Ronald; M.A., Troy University'
  ❌ Invalid title line: 'Moore, Ronald; M.A., Troy University'
  ➜ Parsing at 7481: 'Morrill, Ralph; Ph.D., North Central University'

🔍 parse_program: starting at line 7481: 'Morrill, Ralph; Ph.D., North Central University'
  ➜ Title candidate: 'Morrill, Ralph; Ph.D., North Central University'
  ❌ Invalid title line: 'Morrill, Ralph; Ph.D., North Central University'
  ➜ Parsing at 7482: 'Ntinglet-Davis, Emelda; Ed.D., Nova Southeastern University'

🔍 parse_program: starting at line 7482: 'Ntinglet-Davis, Emelda; Ed.D., Nova Southeastern University'
  ➜ Title candidate: 'Ntinglet-Davis, Emelda; Ed.D., Nova Southeastern University'
  ❌ Invalid title line: 'Ntinglet-Davis, Emelda; Ed.D., Nova Southeastern University'
  ➜ Parsing at 7483: 'Ozmer, Connie; M.A., University of Phoenix'

🔍 parse_program: starting at line 7483: 'Ozmer, Connie; M.A., University of Phoenix'
  ➜ Title candidate: 'Ozmer, Connie; M.A., University of Phoenix'
  ❌ Invalid title line: 'Ozmer, Connie; M.A., University of Phoenix'
  ➜ Parsing at 7484: 'Paddock, Charles; Ph.D., University of Houston'

🔍 parse_program: starting at line 7484: 'Paddock, Charles; Ph.D., University of Houston'
  ➜ Title candidate: 'Paddock, Charles; Ph.D., University of Houston'
  ❌ Invalid title line: 'Paddock, Charles; Ph.D., University of Houston'
  ➜ Parsing at 7485: 'Peterson, Michael; Ph.D., Capella University'

🔍 parse_program: starting at line 7485: 'Peterson, Michael; Ph.D., Capella University'
  ➜ Title candidate: 'Peterson, Michael; Ph.D., Capella University'
  ❌ Invalid title line: 'Peterson, Michael; Ph.D., Capella University'
  ➜ Parsing at 7486: 'Pinaire, Ken; MBA, University of Texas at Dallas'

🔍 parse_program: starting at line 7486: 'Pinaire, Ken; MBA, University of Texas at Dallas'
  ➜ Title candidate: 'Pinaire, Ken; MBA, University of Texas at Dallas'
  ❌ Invalid title line: 'Pinaire, Ken; MBA, University of Texas at Dallas'
  ➜ Parsing at 7487: 'Rawlinson, David; J.D., South Texas College of Law'

🔍 parse_program: starting at line 7487: 'Rawlinson, David; J.D., South Texas College of Law'
  ➜ Title candidate: 'Rawlinson, David; J.D., South Texas College of Law'
  ❌ Invalid title line: 'Rawlinson, David; J.D., South Texas College of Law'
  ➜ Parsing at 7488: 'Schaefer, Brett; MBA, DeVry University'

🔍 parse_program: starting at line 7488: 'Schaefer, Brett; MBA, DeVry University'
  ➜ Title candidate: 'Schaefer, Brett; MBA, DeVry University'
  ❌ Invalid title line: 'Schaefer, Brett; MBA, DeVry University'
  ➜ Parsing at 7489: 'Shenk, Maria; M.S., City University of Seattle'

🔍 parse_program: starting at line 7489: 'Shenk, Maria; M.S., City University of Seattle'
  ➜ Title candidate: 'Shenk, Maria; M.S., City University of Seattle'
  ❌ Invalid title line: 'Shenk, Maria; M.S., City University of Seattle'
  ➜ Parsing at 7490: 'Scutro, Rebecca; M.S., Saint Joseph’s University'

🔍 parse_program: starting at line 7490: 'Scutro, Rebecca; M.S., Saint Joseph’s University'
  ➜ Title candidate: 'Scutro, Rebecca; M.S., Saint Joseph’s University'
  ❌ Invalid title line: 'Scutro, Rebecca; M.S., Saint Joseph’s University'
  ➜ Parsing at 7491: 'Sewell, William; Ed.D., University of Houston'

🔍 parse_program: starting at line 7491: 'Sewell, William; Ed.D., University of Houston'
  ➜ Title candidate: 'Sewell, William; Ed.D., University of Houston'
  ❌ Invalid title line: 'Sewell, William; Ed.D., University of Houston'
  ➜ Parsing at 7492: 'Sher-DeCusatis, Carolyn; M.A., State University of New York at Stony Brook'

🔍 parse_program: starting at line 7492: 'Sher-DeCusatis, Carolyn; M.A., State University of New York at Stony Brook'
  ➜ Title candidate: 'Sher-DeCusatis, Carolyn; M.A., State University of New York at Stony Brook'
  ❌ Invalid title line: 'Sher-DeCusatis, Carolyn; M.A., State University of New York at Stony Brook'
  ➜ Parsing at 7493: 'Shields, Jessica; MFA, Savannah College of Art and Design'

🔍 parse_program: starting at line 7493: 'Shields, Jessica; MFA, Savannah College of Art and Design'
  ➜ Title candidate: 'Shields, Jessica; MFA, Savannah College of Art and Design'
  ❌ Invalid title line: 'Shields, Jessica; MFA, Savannah College of Art and Design'
  ➜ Parsing at 7494: 'Sistelos, Antonio; Ph.D., Indiana State University'

🔍 parse_program: starting at line 7494: 'Sistelos, Antonio; Ph.D., Indiana State University'
  ➜ Title candidate: 'Sistelos, Antonio; Ph.D., Indiana State University'
  ❌ Invalid title line: 'Sistelos, Antonio; Ph.D., Indiana State University'
  ➜ Parsing at 7495: 'Stromberg, Scott; M.S., Nova Southeastern University'

🔍 parse_program: starting at line 7495: 'Stromberg, Scott; M.S., Nova Southeastern University'
  ➜ Title candidate: 'Stromberg, Scott; M.S., Nova Southeastern University'
  ❌ Invalid title line: 'Stromberg, Scott; M.S., Nova Southeastern University'
  ➜ Parsing at 7496: 'Swanson, Tom; Ph.D., Capella University'

🔍 parse_program: starting at line 7496: 'Swanson, Tom; Ph.D., Capella University'
  ➜ Title candidate: 'Swanson, Tom; Ph.D., Capella University'
  ❌ Invalid title line: 'Swanson, Tom; Ph.D., Capella University'
  ➜ Parsing at 7497: 'Taylor, Julinda; M.S., Wichita State University'

🔍 parse_program: starting at line 7497: 'Taylor, Julinda; M.S., Wichita State University'
  ➜ Title candidate: 'Taylor, Julinda; M.S., Wichita State University'
  ❌ Invalid title line: 'Taylor, Julinda; M.S., Wichita State University'
  ➜ Parsing at 7498: 'Travis, Susan; M.A., University of Phoenix'

🔍 parse_program: starting at line 7498: 'Travis, Susan; M.A., University of Phoenix'
  ➜ Title candidate: 'Travis, Susan; M.A., University of Phoenix'
  ❌ Invalid title line: 'Travis, Susan; M.A., University of Phoenix'
  ➜ Parsing at 7499: 'College of Health Professions'

🔍 parse_program: starting at line 7499: 'College of Health Professions'
  ➜ Title candidate: 'College of Health Professions'
  ❌ Invalid title line: 'College of Health Professions'
  ➜ Parsing at 7500: 'Abdur-Rahman, Veronica; Ph.D., Texas Woman’s University'

🔍 parse_program: starting at line 7500: 'Abdur-Rahman, Veronica; Ph.D., Texas Woman’s University'
  ➜ Title candidate: 'Abdur-Rahman, Veronica; Ph.D., Texas Woman’s University'
  ❌ Invalid title line: 'Abdur-Rahman, Veronica; Ph.D., Texas Woman’s University'
  ➜ Parsing at 7501: 'Abee, Debra; M.S., University of North Carolina Greensboro'

🔍 parse_program: starting at line 7501: 'Abee, Debra; M.S., University of North Carolina Greensboro'
  ➜ Title candidate: 'Abee, Debra; M.S., University of North Carolina Greensboro'
  ❌ Invalid title line: 'Abee, Debra; M.S., University of North Carolina Greensboro'
  ➜ Parsing at 7502: 'Abraham, Gail; MSN/ED, University of Phoenix'

🔍 parse_program: starting at line 7502: 'Abraham, Gail; MSN/ED, University of Phoenix'
  ➜ Title candidate: 'Abraham, Gail; MSN/ED, University of Phoenix'
  ❌ Invalid title line: 'Abraham, Gail; MSN/ED, University of Phoenix'
  ➜ Parsing at 7503: 'Adams, Lora; M.S., Michigan State University'

🔍 parse_program: starting at line 7503: 'Adams, Lora; M.S., Michigan State University'
  ➜ Title candidate: 'Adams, Lora; M.S., Michigan State University'
  ❌ Invalid title line: 'Adams, Lora; M.S., Michigan State University'
  ➜ Parsing at 7504: 'Adkins, Dee; Ph.D., Nova Southeastern University'

🔍 parse_program: starting at line 7504: 'Adkins, Dee; Ph.D., Nova Southeastern University'
  ➜ Title candidate: 'Adkins, Dee; Ph.D., Nova Southeastern University'
  ❌ Invalid title line: 'Adkins, Dee; Ph.D., Nova Southeastern University'
  ➜ Parsing at 7505: 'Allen, Juanita; DNP, University of Utah'

🔍 parse_program: starting at line 7505: 'Allen, Juanita; DNP, University of Utah'
  ➜ Title candidate: 'Allen, Juanita; DNP, University of Utah'
  ❌ Invalid title line: 'Allen, Juanita; DNP, University of Utah'
  ➜ Parsing at 7506: 'Ashby, Shelley; DNP, University of Southern Indiana'

🔍 parse_program: starting at line 7506: 'Ashby, Shelley; DNP, University of Southern Indiana'
  ➜ Title candidate: 'Ashby, Shelley; DNP, University of Southern Indiana'
  ❌ Invalid title line: 'Ashby, Shelley; DNP, University of Southern Indiana'
  ➜ Parsing at 7507: 'Austgen, Donna; M.S., University of Indianapolis'

🔍 parse_program: starting at line 7507: 'Austgen, Donna; M.S., University of Indianapolis'
  ➜ Title candidate: 'Austgen, Donna; M.S., University of Indianapolis'
  ❌ Invalid title line: 'Austgen, Donna; M.S., University of Indianapolis'
  ➜ Parsing at 7508: 'Barber, Kendar; M.S., Indiana University'

🔍 parse_program: starting at line 7508: 'Barber, Kendar; M.S., Indiana University'
  ➜ Title candidate: 'Barber, Kendar; M.S., Indiana University'
  ❌ Invalid title line: 'Barber, Kendar; M.S., Indiana University'
  ➜ Parsing at 7509: 'Battle, Linda; DNP, Regis College'

🔍 parse_program: starting at line 7509: 'Battle, Linda; DNP, Regis College'
  ➜ Title candidate: 'Battle, Linda; DNP, Regis College'
  ❌ Invalid title line: 'Battle, Linda; DNP, Regis College'
  ➜ Parsing at 7510: 'Benoit, Heidi; M.S., Western Governors University'

🔍 parse_program: starting at line 7510: 'Benoit, Heidi; M.S., Western Governors University'
  ➜ Title candidate: 'Benoit, Heidi; M.S., Western Governors University'
  ❌ Invalid title line: 'Benoit, Heidi; M.S., Western Governors University'
  ➜ Parsing at 7511: 'Benson, Johnett; DNP, Kent State University'

🔍 parse_program: starting at line 7511: 'Benson, Johnett; DNP, Kent State University'
  ➜ Title candidate: 'Benson, Johnett; DNP, Kent State University'
  ❌ Invalid title line: 'Benson, Johnett; DNP, Kent State University'
  ➜ Parsing at 7512: 'Bergfeld, Marcia; M.S., Lourdes College'

🔍 parse_program: starting at line 7512: 'Bergfeld, Marcia; M.S., Lourdes College'
  ➜ Title candidate: 'Bergfeld, Marcia; M.S., Lourdes College'
  ❌ Invalid title line: 'Bergfeld, Marcia; M.S., Lourdes College'
  ➜ Parsing at 7513: 'Berndt, Janeen; DNP, Valparaiso University'

🔍 parse_program: starting at line 7513: 'Berndt, Janeen; DNP, Valparaiso University'
  ➜ Title candidate: 'Berndt, Janeen; DNP, Valparaiso University'
  ❌ Invalid title line: 'Berndt, Janeen; DNP, Valparaiso University'
  ➜ Parsing at 7514: 'Blaine, Stephanie; Ph.D., Capella University'

🔍 parse_program: starting at line 7514: 'Blaine, Stephanie; Ph.D., Capella University'
  ➜ Title candidate: 'Blaine, Stephanie; Ph.D., Capella University'
  ❌ Invalid title line: 'Blaine, Stephanie; Ph.D., Capella University'
  ➜ Parsing at 7515: 'Cain, Lyn; Ph.D., Grand Canyon University'

🔍 parse_program: starting at line 7515: 'Cain, Lyn; Ph.D., Grand Canyon University'
  ➜ Title candidate: 'Cain, Lyn; Ph.D., Grand Canyon University'
  ❌ Invalid title line: 'Cain, Lyn; Ph.D., Grand Canyon University'
  ➜ Parsing at 7516: 'Carney, Mary; DNP, Touro University – Nevada'

🔍 parse_program: starting at line 7516: 'Carney, Mary; DNP, Touro University – Nevada'
  ➜ Title candidate: 'Carney, Mary; DNP, Touro University – Nevada'
  ❌ Invalid title line: 'Carney, Mary; DNP, Touro University – Nevada'
  ➜ Parsing at 7517: 'Chau-Nguyen, Thao; MPH, Tulane University'

🔍 parse_program: starting at line 7517: 'Chau-Nguyen, Thao; MPH, Tulane University'
  ➜ Title candidate: 'Chau-Nguyen, Thao; MPH, Tulane University'
  ❌ Invalid title line: 'Chau-Nguyen, Thao; MPH, Tulane University'
  ➜ Parsing at 7518: '© Western Governors University Jul 19, 2017 183'

🔍 parse_program: starting at line 7518: '© Western Governors University Jul 19, 2017 183'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'Cleveland, Melissa; DNP, Rocky Mountain University'
  ➜ Skipping stray line: 'Cloonan, Kelly; DNP, Case Western Reserve'
  ➜ Skipping stray line: 'Dahdal, Kimberly; M.S., Western Governors University'
  ➜ Skipping stray line: 'Dantzler, Barbara; Ph.D., Trident University'
  ➜ Skipping stray line: 'Diaz, Constance; Ph.D., University of Northern Colorado'
  ➜ Skipping stray line: 'Diaz, Lorna; DNP, Western University of Health Sciences'
  ➜ Skipping stray line: 'Dorin, Michelle; Ph.D., University of Missouri'
  ➜ Skipping stray line: 'Dush, Curtis; M.S., East Tennessee State University'
  ➜ Skipping stray line: 'Elmer, Justine; M.S., Kaplan University'
  ➜ Skipping stray line: 'Englert, Mary; DNP, University of North Florida'
  ➜ Skipping stray line: 'Feather, Rebecca; Ph.D., Indiana University'
  ➜ Skipping stray line: 'Frankie, Sandra; M.S., Western Governors University'
  ➜ Skipping stray line: 'Gabel, Ann; M.S., University of Kansas'
  ➜ Skipping stray line: 'Gayol, Marcos; M.S., Aspen University'
  ➜ Skipping stray line: 'Giaquinto, Elisa; M.A., Brown University'
  ➜ Skipping stray line: 'Gogatz, Debra; DNP, Regis University'
  ➜ Skipping stray line: 'Golden, Christina; MBA, University of Phoenix'
  ➜ Skipping stray line: 'Gottesfeld, Ilene; Ed.D., Nova Southeastern University'
  ➜ Skipping stray line: 'Gwyn, Elizabeth; M.S., Winston Salem State University'
  ➜ Skipping stray line: 'Hadsell, Christine; Ph.D., University of Kansas'
  ➜ Skipping stray line: 'Hansen, Julie; Ph.D., South Dakota State University'
  ➜ Skipping stray line: 'Hartley-Clanton, Patricia; M.S., University of Utah'
  ➜ Skipping stray line: 'Hawkins, Shannon; M.S., Walden University'
  ➜ Skipping stray line: 'Heyer-Schmidt, Theres-Anne; ND, University of Colorado-Denver'
  ➜ Skipping stray line: 'Hill, Dana; Ph.D., Walden University'
  ➜ Skipping stray line: 'Hunt, Eleanor; M.S., Duke University'
  ➜ Skipping stray line: 'Johnson-Anderson, Heidi; Ed.D., University of South Dakota'
  ➜ Skipping stray line: 'Kangas, Sandra; Ph.D., Georgia State University'
  ➜ Skipping stray line: 'Kogan, Lisa; M.S., Western Governors University'
  ➜ Skipping stray line: 'Langer Atkinson, Heidi; Ph.D., University of Albany'
  ➜ Skipping stray line: 'Lashlee, Marilyn; DNP, Northeastern University'
  ➜ Skipping stray line: 'Long, Jennifer; M.S., Indiana University'
  ➜ Skipping stray line: 'Marshall, Janet; Ph.D., Rush University'
  ➜ Title candidate: 'Masterson, Debra; Ed.D., Liberty University'
  ✔️ Collected description (40 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 7519: 'Cleveland, Melissa; DNP, Rocky Mountain University'

🔍 parse_program: starting at line 7519: 'Cleveland, Melissa; DNP, Rocky Mountain University'
  ➜ Title candidate: 'Cleveland, Melissa; DNP, Rocky Mountain University'
  ❌ Invalid title line: 'Cleveland, Melissa; DNP, Rocky Mountain University'
  ➜ Parsing at 7520: 'Cloonan, Kelly; DNP, Case Western Reserve'

🔍 parse_program: starting at line 7520: 'Cloonan, Kelly; DNP, Case Western Reserve'
  ➜ Title candidate: 'Cloonan, Kelly; DNP, Case Western Reserve'
  ❌ Invalid title line: 'Cloonan, Kelly; DNP, Case Western Reserve'
  ➜ Parsing at 7521: 'Dahdal, Kimberly; M.S., Western Governors University'

🔍 parse_program: starting at line 7521: 'Dahdal, Kimberly; M.S., Western Governors University'
  ➜ Title candidate: 'Dahdal, Kimberly; M.S., Western Governors University'
  ❌ Invalid title line: 'Dahdal, Kimberly; M.S., Western Governors University'
  ➜ Parsing at 7522: 'Dantzler, Barbara; Ph.D., Trident University'

🔍 parse_program: starting at line 7522: 'Dantzler, Barbara; Ph.D., Trident University'
  ➜ Title candidate: 'Dantzler, Barbara; Ph.D., Trident University'
  ❌ Invalid title line: 'Dantzler, Barbara; Ph.D., Trident University'
  ➜ Parsing at 7523: 'Diaz, Constance; Ph.D., University of Northern Colorado'

🔍 parse_program: starting at line 7523: 'Diaz, Constance; Ph.D., University of Northern Colorado'
  ➜ Title candidate: 'Diaz, Constance; Ph.D., University of Northern Colorado'
  ❌ Invalid title line: 'Diaz, Constance; Ph.D., University of Northern Colorado'
  ➜ Parsing at 7524: 'Diaz, Lorna; DNP, Western University of Health Sciences'

🔍 parse_program: starting at line 7524: 'Diaz, Lorna; DNP, Western University of Health Sciences'
  ➜ Title candidate: 'Diaz, Lorna; DNP, Western University of Health Sciences'
  ❌ Invalid title line: 'Diaz, Lorna; DNP, Western University of Health Sciences'
  ➜ Parsing at 7525: 'Dorin, Michelle; Ph.D., University of Missouri'

🔍 parse_program: starting at line 7525: 'Dorin, Michelle; Ph.D., University of Missouri'
  ➜ Title candidate: 'Dorin, Michelle; Ph.D., University of Missouri'
  ❌ Invalid title line: 'Dorin, Michelle; Ph.D., University of Missouri'
  ➜ Parsing at 7526: 'Dush, Curtis; M.S., East Tennessee State University'

🔍 parse_program: starting at line 7526: 'Dush, Curtis; M.S., East Tennessee State University'
  ➜ Title candidate: 'Dush, Curtis; M.S., East Tennessee State University'
  ❌ Invalid title line: 'Dush, Curtis; M.S., East Tennessee State University'
  ➜ Parsing at 7527: 'Elmer, Justine; M.S., Kaplan University'

🔍 parse_program: starting at line 7527: 'Elmer, Justine; M.S., Kaplan University'
  ➜ Title candidate: 'Elmer, Justine; M.S., Kaplan University'
  ❌ Invalid title line: 'Elmer, Justine; M.S., Kaplan University'
  ➜ Parsing at 7528: 'Englert, Mary; DNP, University of North Florida'

🔍 parse_program: starting at line 7528: 'Englert, Mary; DNP, University of North Florida'
  ➜ Title candidate: 'Englert, Mary; DNP, University of North Florida'
  ❌ Invalid title line: 'Englert, Mary; DNP, University of North Florida'
  ➜ Parsing at 7529: 'Feather, Rebecca; Ph.D., Indiana University'

🔍 parse_program: starting at line 7529: 'Feather, Rebecca; Ph.D., Indiana University'
  ➜ Title candidate: 'Feather, Rebecca; Ph.D., Indiana University'
  ❌ Invalid title line: 'Feather, Rebecca; Ph.D., Indiana University'
  ➜ Parsing at 7530: 'Frankie, Sandra; M.S., Western Governors University'

🔍 parse_program: starting at line 7530: 'Frankie, Sandra; M.S., Western Governors University'
  ➜ Title candidate: 'Frankie, Sandra; M.S., Western Governors University'
  ❌ Invalid title line: 'Frankie, Sandra; M.S., Western Governors University'
  ➜ Parsing at 7531: 'Gabel, Ann; M.S., University of Kansas'

🔍 parse_program: starting at line 7531: 'Gabel, Ann; M.S., University of Kansas'
  ➜ Title candidate: 'Gabel, Ann; M.S., University of Kansas'
  ❌ Invalid title line: 'Gabel, Ann; M.S., University of Kansas'
  ➜ Parsing at 7532: 'Gayol, Marcos; M.S., Aspen University'

🔍 parse_program: starting at line 7532: 'Gayol, Marcos; M.S., Aspen University'
  ➜ Title candidate: 'Gayol, Marcos; M.S., Aspen University'
  ❌ Invalid title line: 'Gayol, Marcos; M.S., Aspen University'
  ➜ Parsing at 7533: 'Giaquinto, Elisa; M.A., Brown University'

🔍 parse_program: starting at line 7533: 'Giaquinto, Elisa; M.A., Brown University'
  ➜ Title candidate: 'Giaquinto, Elisa; M.A., Brown University'
  ❌ Invalid title line: 'Giaquinto, Elisa; M.A., Brown University'
  ➜ Parsing at 7534: 'Gogatz, Debra; DNP, Regis University'

🔍 parse_program: starting at line 7534: 'Gogatz, Debra; DNP, Regis University'
  ➜ Title candidate: 'Gogatz, Debra; DNP, Regis University'
  ❌ Invalid title line: 'Gogatz, Debra; DNP, Regis University'
  ➜ Parsing at 7535: 'Golden, Christina; MBA, University of Phoenix'

🔍 parse_program: starting at line 7535: 'Golden, Christina; MBA, University of Phoenix'
  ➜ Title candidate: 'Golden, Christina; MBA, University of Phoenix'
  ❌ Invalid title line: 'Golden, Christina; MBA, University of Phoenix'
  ➜ Parsing at 7536: 'Gottesfeld, Ilene; Ed.D., Nova Southeastern University'

🔍 parse_program: starting at line 7536: 'Gottesfeld, Ilene; Ed.D., Nova Southeastern University'
  ➜ Title candidate: 'Gottesfeld, Ilene; Ed.D., Nova Southeastern University'
  ❌ Invalid title line: 'Gottesfeld, Ilene; Ed.D., Nova Southeastern University'
  ➜ Parsing at 7537: 'Gwyn, Elizabeth; M.S., Winston Salem State University'

🔍 parse_program: starting at line 7537: 'Gwyn, Elizabeth; M.S., Winston Salem State University'
  ➜ Title candidate: 'Gwyn, Elizabeth; M.S., Winston Salem State University'
  ❌ Invalid title line: 'Gwyn, Elizabeth; M.S., Winston Salem State University'
  ➜ Parsing at 7538: 'Hadsell, Christine; Ph.D., University of Kansas'

🔍 parse_program: starting at line 7538: 'Hadsell, Christine; Ph.D., University of Kansas'
  ➜ Title candidate: 'Hadsell, Christine; Ph.D., University of Kansas'
  ❌ Invalid title line: 'Hadsell, Christine; Ph.D., University of Kansas'
  ➜ Parsing at 7539: 'Hansen, Julie; Ph.D., South Dakota State University'

🔍 parse_program: starting at line 7539: 'Hansen, Julie; Ph.D., South Dakota State University'
  ➜ Title candidate: 'Hansen, Julie; Ph.D., South Dakota State University'
  ❌ Invalid title line: 'Hansen, Julie; Ph.D., South Dakota State University'
  ➜ Parsing at 7540: 'Hartley-Clanton, Patricia; M.S., University of Utah'

🔍 parse_program: starting at line 7540: 'Hartley-Clanton, Patricia; M.S., University of Utah'
  ➜ Title candidate: 'Hartley-Clanton, Patricia; M.S., University of Utah'
  ❌ Invalid title line: 'Hartley-Clanton, Patricia; M.S., University of Utah'
  ➜ Parsing at 7541: 'Hawkins, Shannon; M.S., Walden University'

🔍 parse_program: starting at line 7541: 'Hawkins, Shannon; M.S., Walden University'
  ➜ Title candidate: 'Hawkins, Shannon; M.S., Walden University'
  ❌ Invalid title line: 'Hawkins, Shannon; M.S., Walden University'
  ➜ Parsing at 7542: 'Heyer-Schmidt, Theres-Anne; ND, University of Colorado-Denver'

🔍 parse_program: starting at line 7542: 'Heyer-Schmidt, Theres-Anne; ND, University of Colorado-Denver'
  ➜ Title candidate: 'Heyer-Schmidt, Theres-Anne; ND, University of Colorado-Denver'
  ❌ Invalid title line: 'Heyer-Schmidt, Theres-Anne; ND, University of Colorado-Denver'
  ➜ Parsing at 7543: 'Hill, Dana; Ph.D., Walden University'

🔍 parse_program: starting at line 7543: 'Hill, Dana; Ph.D., Walden University'
  ➜ Title candidate: 'Hill, Dana; Ph.D., Walden University'
  ❌ Invalid title line: 'Hill, Dana; Ph.D., Walden University'
  ➜ Parsing at 7544: 'Hunt, Eleanor; M.S., Duke University'

🔍 parse_program: starting at line 7544: 'Hunt, Eleanor; M.S., Duke University'
  ➜ Title candidate: 'Hunt, Eleanor; M.S., Duke University'
  ❌ Invalid title line: 'Hunt, Eleanor; M.S., Duke University'
  ➜ Parsing at 7545: 'Johnson-Anderson, Heidi; Ed.D., University of South Dakota'

🔍 parse_program: starting at line 7545: 'Johnson-Anderson, Heidi; Ed.D., University of South Dakota'
  ➜ Title candidate: 'Johnson-Anderson, Heidi; Ed.D., University of South Dakota'
  ❌ Invalid title line: 'Johnson-Anderson, Heidi; Ed.D., University of South Dakota'
  ➜ Parsing at 7546: 'Kangas, Sandra; Ph.D., Georgia State University'

🔍 parse_program: starting at line 7546: 'Kangas, Sandra; Ph.D., Georgia State University'
  ➜ Title candidate: 'Kangas, Sandra; Ph.D., Georgia State University'
  ❌ Invalid title line: 'Kangas, Sandra; Ph.D., Georgia State University'
  ➜ Parsing at 7547: 'Kogan, Lisa; M.S., Western Governors University'

🔍 parse_program: starting at line 7547: 'Kogan, Lisa; M.S., Western Governors University'
  ➜ Title candidate: 'Kogan, Lisa; M.S., Western Governors University'
  ❌ Invalid title line: 'Kogan, Lisa; M.S., Western Governors University'
  ➜ Parsing at 7548: 'Langer Atkinson, Heidi; Ph.D., University of Albany'

🔍 parse_program: starting at line 7548: 'Langer Atkinson, Heidi; Ph.D., University of Albany'
  ➜ Title candidate: 'Langer Atkinson, Heidi; Ph.D., University of Albany'
  ❌ Invalid title line: 'Langer Atkinson, Heidi; Ph.D., University of Albany'
  ➜ Parsing at 7549: 'Lashlee, Marilyn; DNP, Northeastern University'

🔍 parse_program: starting at line 7549: 'Lashlee, Marilyn; DNP, Northeastern University'
  ➜ Title candidate: 'Lashlee, Marilyn; DNP, Northeastern University'
  ❌ Invalid title line: 'Lashlee, Marilyn; DNP, Northeastern University'
  ➜ Parsing at 7550: 'Long, Jennifer; M.S., Indiana University'

🔍 parse_program: starting at line 7550: 'Long, Jennifer; M.S., Indiana University'
  ➜ Title candidate: 'Long, Jennifer; M.S., Indiana University'
  ❌ Invalid title line: 'Long, Jennifer; M.S., Indiana University'
  ➜ Parsing at 7551: 'Marshall, Janet; Ph.D., Rush University'

🔍 parse_program: starting at line 7551: 'Marshall, Janet; Ph.D., Rush University'
  ➜ Title candidate: 'Marshall, Janet; Ph.D., Rush University'
  ❌ Invalid title line: 'Marshall, Janet; Ph.D., Rush University'
  ➜ Parsing at 7552: 'Masterson, Debra; Ed.D., Liberty University'

🔍 parse_program: starting at line 7552: 'Masterson, Debra; Ed.D., Liberty University'
  ➜ Title candidate: 'Masterson, Debra; Ed.D., Liberty University'
  ✔️ Collected description (40 lines)
  ⚠️ Reached end while looking for CCN header.
  ➜ Parsing at 7553: 'Matheson, Rebekka; M.D., University of Rochester'

🔍 parse_program: starting at line 7553: 'Matheson, Rebekka; M.D., University of Rochester'
  ➜ Title candidate: 'Matheson, Rebekka; M.D., University of Rochester'
  ❌ Invalid title line: 'Matheson, Rebekka; M.D., University of Rochester'
  ➜ Parsing at 7554: 'McCombs, Darlene; DNP, University of Alabama'

🔍 parse_program: starting at line 7554: 'McCombs, Darlene; DNP, University of Alabama'
  ➜ Title candidate: 'McCombs, Darlene; DNP, University of Alabama'
  ❌ Invalid title line: 'McCombs, Darlene; DNP, University of Alabama'
  ➜ Parsing at 7555: 'Miller, Michele; Ed.D., Valdosta State University'

🔍 parse_program: starting at line 7555: 'Miller, Michele; Ed.D., Valdosta State University'
  ➜ Title candidate: 'Miller, Michele; Ed.D., Valdosta State University'
  ❌ Invalid title line: 'Miller, Michele; Ed.D., Valdosta State University'
  ➜ Parsing at 7556: 'Murray, Reinette; DNP, Oakland University'

🔍 parse_program: starting at line 7556: 'Murray, Reinette; DNP, Oakland University'
  ➜ Title candidate: 'Murray, Reinette; DNP, Oakland University'
  ❌ Invalid title line: 'Murray, Reinette; DNP, Oakland University'
  ➜ Parsing at 7557: 'Nmezi, Murphy; M.D., University of Vienna'

🔍 parse_program: starting at line 7557: 'Nmezi, Murphy; M.D., University of Vienna'
  ➜ Title candidate: 'Nmezi, Murphy; M.D., University of Vienna'
  ❌ Invalid title line: 'Nmezi, Murphy; M.D., University of Vienna'
  ➜ Parsing at 7558: 'Northrup, Dolores; M.S., Western Governors University'

🔍 parse_program: starting at line 7558: 'Northrup, Dolores; M.S., Western Governors University'
  ➜ Title candidate: 'Northrup, Dolores; M.S., Western Governors University'
  ❌ Invalid title line: 'Northrup, Dolores; M.S., Western Governors University'
  ➜ Parsing at 7559: 'Penick, Julie; DNP, University of Missouri-St. Louis'

🔍 parse_program: starting at line 7559: 'Penick, Julie; DNP, University of Missouri-St. Louis'
  ➜ Title candidate: 'Penick, Julie; DNP, University of Missouri-St. Louis'
  ❌ Invalid title line: 'Penick, Julie; DNP, University of Missouri-St. Louis'
  ➜ Parsing at 7560: 'Perez, Susan; DNP, Chatham University'

🔍 parse_program: starting at line 7560: 'Perez, Susan; DNP, Chatham University'
  ➜ Title candidate: 'Perez, Susan; DNP, Chatham University'
  ❌ Invalid title line: 'Perez, Susan; DNP, Chatham University'
  ➜ Parsing at 7561: 'Peters, Tamara; M.S., Walden University'

🔍 parse_program: starting at line 7561: 'Peters, Tamara; M.S., Walden University'
  ➜ Title candidate: 'Peters, Tamara; M.S., Walden University'
  ❌ Invalid title line: 'Peters, Tamara; M.S., Walden University'
  ➜ Parsing at 7562: 'Pritchard, Paula; Ph.D., University of Florida'

🔍 parse_program: starting at line 7562: 'Pritchard, Paula; Ph.D., University of Florida'
  ➜ Title candidate: 'Pritchard, Paula; Ph.D., University of Florida'
  ❌ Invalid title line: 'Pritchard, Paula; Ph.D., University of Florida'
  ➜ Parsing at 7563: 'Querales, Carolyn; DNP, University of Minnesota'

🔍 parse_program: starting at line 7563: 'Querales, Carolyn; DNP, University of Minnesota'
  ➜ Title candidate: 'Querales, Carolyn; DNP, University of Minnesota'
  ❌ Invalid title line: 'Querales, Carolyn; DNP, University of Minnesota'
  ➜ Parsing at 7564: 'Randall, Rebecca; Ed.D., University of South Dakota'

🔍 parse_program: starting at line 7564: 'Randall, Rebecca; Ed.D., University of South Dakota'
  ➜ Title candidate: 'Randall, Rebecca; Ed.D., University of South Dakota'
  ❌ Invalid title line: 'Randall, Rebecca; Ed.D., University of South Dakota'
  ➜ Parsing at 7565: 'Reed, LaTesha; DNP, Samuel Merritt University'

🔍 parse_program: starting at line 7565: 'Reed, LaTesha; DNP, Samuel Merritt University'
  ➜ Title candidate: 'Reed, LaTesha; DNP, Samuel Merritt University'
  ❌ Invalid title line: 'Reed, LaTesha; DNP, Samuel Merritt University'
  ➜ Parsing at 7566: 'Richards, Kimberly; MBA, Western Governors University'

🔍 parse_program: starting at line 7566: 'Richards, Kimberly; MBA, Western Governors University'
  ➜ Title candidate: 'Richards, Kimberly; MBA, Western Governors University'
  ❌ Invalid title line: 'Richards, Kimberly; MBA, Western Governors University'
  ➜ Parsing at 7567: 'Robertson, Samara; M.S., Frontiers University'

🔍 parse_program: starting at line 7567: 'Robertson, Samara; M.S., Frontiers University'
  ➜ Title candidate: 'Robertson, Samara; M.S., Frontiers University'
  ❌ Invalid title line: 'Robertson, Samara; M.S., Frontiers University'
  ➜ Parsing at 7568: 'Roe, Patricia; Ph.D., University of Phoenix'

🔍 parse_program: starting at line 7568: 'Roe, Patricia; Ph.D., University of Phoenix'
  ➜ Title candidate: 'Roe, Patricia; Ph.D., University of Phoenix'
  ❌ Invalid title line: 'Roe, Patricia; Ph.D., University of Phoenix'
  ➜ Parsing at 7569: 'Romain-Lapeine, Fabiola; DNP, University of Massachusetts Amherst'

🔍 parse_program: starting at line 7569: 'Romain-Lapeine, Fabiola; DNP, University of Massachusetts Amherst'
  ➜ Title candidate: 'Romain-Lapeine, Fabiola; DNP, University of Massachusetts Amherst'
  ❌ Invalid title line: 'Romain-Lapeine, Fabiola; DNP, University of Massachusetts Amherst'
  ➜ Parsing at 7570: 'Rumsey, Shannon; M.S., University of Colorado at Colorado Springs'

🔍 parse_program: starting at line 7570: 'Rumsey, Shannon; M.S., University of Colorado at Colorado Springs'
  ➜ Title candidate: 'Rumsey, Shannon; M.S., University of Colorado at Colorado Springs'
  ❌ Invalid title line: 'Rumsey, Shannon; M.S., University of Colorado at Colorado Springs'
  ➜ Parsing at 7571: 'Sauls, John; M.S., Western Governors University'

🔍 parse_program: starting at line 7571: 'Sauls, John; M.S., Western Governors University'
  ➜ Title candidate: 'Sauls, John; M.S., Western Governors University'
  ❌ Invalid title line: 'Sauls, John; M.S., Western Governors University'
  ➜ Parsing at 7572: 'Schmidt, John; DNP, Walden University'

🔍 parse_program: starting at line 7572: 'Schmidt, John; DNP, Walden University'
  ➜ Title candidate: 'Schmidt, John; DNP, Walden University'
  ❌ Invalid title line: 'Schmidt, John; DNP, Walden University'
  ➜ Parsing at 7573: 'Schneider, Alisa; Ph.D., Oregon State University'

🔍 parse_program: starting at line 7573: 'Schneider, Alisa; Ph.D., Oregon State University'
  ➜ Title candidate: 'Schneider, Alisa; Ph.D., Oregon State University'
  ❌ Invalid title line: 'Schneider, Alisa; Ph.D., Oregon State University'
  ➜ Parsing at 7574: 'Schreffler, Karen; DNP, Carlow University'

🔍 parse_program: starting at line 7574: 'Schreffler, Karen; DNP, Carlow University'
  ➜ Title candidate: 'Schreffler, Karen; DNP, Carlow University'
  ❌ Invalid title line: 'Schreffler, Karen; DNP, Carlow University'
  ➜ Parsing at 7575: 'Shaw Hoopingarner, Diana; Diana, Regis University'

🔍 parse_program: starting at line 7575: 'Shaw Hoopingarner, Diana; Diana, Regis University'
  ➜ Title candidate: 'Shaw Hoopingarner, Diana; Diana, Regis University'
  ❌ Invalid title line: 'Shaw Hoopingarner, Diana; Diana, Regis University'
  ➜ Parsing at 7576: 'Sinatra-Wilhelm, Tina; DNP, Chatham University'

🔍 parse_program: starting at line 7576: 'Sinatra-Wilhelm, Tina; DNP, Chatham University'
  ➜ Title candidate: 'Sinatra-Wilhelm, Tina; DNP, Chatham University'
  ❌ Invalid title line: 'Sinatra-Wilhelm, Tina; DNP, Chatham University'
  ➜ Parsing at 7577: 'Sizemore, Mary; M.S., Indiana Wesleyan University'

🔍 parse_program: starting at line 7577: 'Sizemore, Mary; M.S., Indiana Wesleyan University'
  ➜ Title candidate: 'Sizemore, Mary; M.S., Indiana Wesleyan University'
  ❌ Invalid title line: 'Sizemore, Mary; M.S., Indiana Wesleyan University'
  ➜ Parsing at 7578: 'Starkey, Traci; Ph.D., Barry University'

🔍 parse_program: starting at line 7578: 'Starkey, Traci; Ph.D., Barry University'
  ➜ Title candidate: 'Starkey, Traci; Ph.D., Barry University'
  ❌ Invalid title line: 'Starkey, Traci; Ph.D., Barry University'
  ➜ Parsing at 7579: 'Steighner, Tammy; M.S., University of Phoenix'

🔍 parse_program: starting at line 7579: 'Steighner, Tammy; M.S., University of Phoenix'
  ➜ Title candidate: 'Steighner, Tammy; M.S., University of Phoenix'
  ❌ Invalid title line: 'Steighner, Tammy; M.S., University of Phoenix'
  ➜ Parsing at 7580: '© Western Governors University Jul 19, 2017 184'

🔍 parse_program: starting at line 7580: '© Western Governors University Jul 19, 2017 184'
  ✔️ Using first copyright in block
  ➜ Skipping stray line: 'Stewart, Melissa; DNP, Case Western Reserve'
  ➜ Skipping stray line: 'Stubblefield, Angelique; Ph.D., Case Western Reserve University'
  ➜ Skipping stray line: 'Sunderhaus, Patricia; Ed.D., Argosy University'
  ➜ Skipping stray line: 'Tersigni, Christopher; M.S., Chamberlin College of Nursing'
  ➜ Skipping stray line: 'Thompson, Mindy; M.S., Northeastern State University'
  ➜ Skipping stray line: 'Von Holden, Sophia; Ph.D., University of Houston'
  ➜ Skipping stray line: 'Ward, Billie; M.S., University of South Alabama'
  ➜ Skipping stray line: 'Williams, Deborah; M.S., University of Alabama at Birmingham'
  ➜ Skipping stray line: 'Williams-Fultz, Rosie; Ph.D., William Carey University'
  ➜ Skipping stray line: 'Withers, Gail; DNP, University of Kansas'
  ➜ Skipping stray line: 'Yoose, Cora; Ph.D., Florida International University'
  ➜ Skipping stray line: '© Western Governors University Jul 19, 2017 185'
  ⚠️ Reached end while looking for title.
  ➜ Parsing at 7581: 'Stewart, Melissa; DNP, Case Western Reserve'

🔍 parse_program: starting at line 7581: 'Stewart, Melissa; DNP, Case Western Reserve'
  ➜ Title candidate: 'Stewart, Melissa; DNP, Case Western Reserve'
  ❌ Invalid title line: 'Stewart, Melissa; DNP, Case Western Reserve'
  ➜ Parsing at 7582: 'Stubblefield, Angelique; Ph.D., Case Western Reserve University'

🔍 parse_program: starting at line 7582: 'Stubblefield, Angelique; Ph.D., Case Western Reserve University'
  ➜ Title candidate: 'Stubblefield, Angelique; Ph.D., Case Western Reserve University'
  ❌ Invalid title line: 'Stubblefield, Angelique; Ph.D., Case Western Reserve University'
  ➜ Parsing at 7583: 'Sunderhaus, Patricia; Ed.D., Argosy University'

🔍 parse_program: starting at line 7583: 'Sunderhaus, Patricia; Ed.D., Argosy University'
  ➜ Title candidate: 'Sunderhaus, Patricia; Ed.D., Argosy University'
  ❌ Invalid title line: 'Sunderhaus, Patricia; Ed.D., Argosy University'
  ➜ Parsing at 7584: 'Tersigni, Christopher; M.S., Chamberlin College of Nursing'

🔍 parse_program: starting at line 7584: 'Tersigni, Christopher; M.S., Chamberlin College of Nursing'
  ➜ Title candidate: 'Tersigni, Christopher; M.S., Chamberlin College of Nursing'
  ❌ Invalid title line: 'Tersigni, Christopher; M.S., Chamberlin College of Nursing'
  ➜ Parsing at 7585: 'Thompson, Mindy; M.S., Northeastern State University'

🔍 parse_program: starting at line 7585: 'Thompson, Mindy; M.S., Northeastern State University'
  ➜ Title candidate: 'Thompson, Mindy; M.S., Northeastern State University'
  ❌ Invalid title line: 'Thompson, Mindy; M.S., Northeastern State University'
  ➜ Parsing at 7586: 'Von Holden, Sophia; Ph.D., University of Houston'

🔍 parse_program: starting at line 7586: 'Von Holden, Sophia; Ph.D., University of Houston'
  ➜ Title candidate: 'Von Holden, Sophia; Ph.D., University of Houston'
  ❌ Invalid title line: 'Von Holden, Sophia; Ph.D., University of Houston'
  ➜ Parsing at 7587: 'Ward, Billie; M.S., University of South Alabama'

🔍 parse_program: starting at line 7587: 'Ward, Billie; M.S., University of South Alabama'
  ➜ Title candidate: 'Ward, Billie; M.S., University of South Alabama'
  ❌ Invalid title line: 'Ward, Billie; M.S., University of South Alabama'
  ➜ Parsing at 7588: 'Williams, Deborah; M.S., University of Alabama at Birmingham'

🔍 parse_program: starting at line 7588: 'Williams, Deborah; M.S., University of Alabama at Birmingham'
  ➜ Title candidate: 'Williams, Deborah; M.S., University of Alabama at Birmingham'
  ❌ Invalid title line: 'Williams, Deborah; M.S., University of Alabama at Birmingham'
  ➜ Parsing at 7589: 'Williams-Fultz, Rosie; Ph.D., William Carey University'

🔍 parse_program: starting at line 7589: 'Williams-Fultz, Rosie; Ph.D., William Carey University'
  ➜ Title candidate: 'Williams-Fultz, Rosie; Ph.D., William Carey University'
  ❌ Invalid title line: 'Williams-Fultz, Rosie; Ph.D., William Carey University'
  ➜ Parsing at 7590: 'Withers, Gail; DNP, University of Kansas'

🔍 parse_program: starting at line 7590: 'Withers, Gail; DNP, University of Kansas'
  ➜ Title candidate: 'Withers, Gail; DNP, University of Kansas'
  ❌ Invalid title line: 'Withers, Gail; DNP, University of Kansas'
  ➜ Parsing at 7591: 'Yoose, Cora; Ph.D., Florida International University'

🔍 parse_program: starting at line 7591: 'Yoose, Cora; Ph.D., Florida International University'
  ➜ Title candidate: 'Yoose, Cora; Ph.D., Florida International University'
  ❌ Invalid title line: 'Yoose, Cora; Ph.D., Florida International University'
  ➜ Parsing at 7592: '© Western Governors University Jul 19, 2017 185'

🔍 parse_program: starting at line 7592: '© Western Governors University Jul 19, 2017 185'
  ✔️ Using first copyright in block
  ⚠️ Reached end while looking for title.
📌 DONE COLLEGE: School of Education | Programs found: 30
In [ ]:
 
In [478]:
# ✅ Cell 6 — Debug legacy: dump raw blocks for inspection

import os

for filepath in legacy_files:
    print(f"\n=== {os.path.basename(filepath)} ===")
    with open(filepath, "r", encoding="utf-8") as f:
        lines = [line.strip() for line in f]

    lines = fix_lines_if_needed(lines, filepath)

    markers = []
    for i, line in enumerate(lines):
        m = college_tag_pattern.match(line)
        if m:
            raw = m.group(1)
            name = map_college_name(raw)
            markers.append((i, name))

    markers.append((len(lines), None))

    for (start, college_name), (end, _) in zip(markers[:-1], markers[1:]):
        print(f"\n=== {college_name} ===")
        for i in range(start, min(start + 40, end)):
            print(f"{i}: {lines[i]}")
=== catalog_july_2017_tagged.txt ===

=== School of Business ===
2322: ###COLLEGE: School of Business
2323: Bachelor of Science, Business Management
2324: The Bachelor of Science in Business Management is a competency-based program that enables leaders and
2325: managers in organizations to earn a Bachelor of Science degree. The B.S. in Business Management is great
2326: preparation for a variety of careers in the business field. This program consists of twelve balanced areas of study,
2327: WGU competency-based assessments, and a capstone project.
2328: CCN Course Number Course Description CUs Term
2329: BUS 2301 C483 Principles of Management 4 1
2330: MATH 1010 C463 Intermediate Algebra 3 1
2331: ENGL 1010 C455 English Composition I 3 1
2332: SOCG 1010 C273 Introduction to Sociology 3 1
2333: GEOG 1311 C255 Introduction to Geography 3 2
2334: MATH 1015 C278 College Algebra 4 2
2335: ENGL 1020 C456 English Composition II 3 2
2336: MGMT 3000 C715 Organizational Behavior 3 2
2337: HRM 2100 C232 Introduction to Human Resource Management 3 3
2338: COMM 1011 C464 Introduction to Communication 3 3
2339: MATH 1030 C459 Introduction to Probability and Statistics 3 3
2340: BUS 2100 C711 Introduction to Business 3 3
2341: PHIL 3010 C168 Critical Thinking and Logic 3 4
2342: HIST 1010 C121 Survey of United States History 3 4
2343: HUMN 1010 C100 Introduction to Humanities 3 4
2344: BUS 3000 C717 Business Ethics 3 4
2345: ITEC 2001 C182 Introduction to IT 4 5
2346: SCIE 1015 C452 Integrated Natural Science Applications 4 5
2347: ECON 2100 C719 Macroeconomics 3 5
2348: BUIT 2200 C268 Spreadsheets 3 5
2349: ECON 2000 C718 Microeconomics 3 6
2350: LAW 3000 C713 Business Law 3 6
2351: ACCT 2311 VYC1 Principles of Accounting 4 6
2352: MKTG 3000 C712 Marketing Fundamentals 3 6
2353: BUSI 3731 VZT1 Marketing Applications 3 7
2354: ACCT 3310 UFC1 Managerial Accounting 3 7
2355: ECON 3600 FVC1 Global Business 3 7
2356: BUS 2600 C716 Business Communication 3 7
2357: BUS 3100 C723 Quantitative Analysis For Business 3 8
2358: MGMT 3400 C722 Project Management 3 8
2359: BUIT 3000 C724 Information Systems Management 3 8
2360: MGMT 4400 C721 Change Management 3 8
2361: HRM 3200 C234 Workforce Planning: Recruitment and Selection 3 9

=== School of Health ===
2754: ###COLLEGE: Leavitt School of Health
2755: Bachelor of Science, Nursing (Prelicensure)
2756: The prelicensure BSN degree focuses on contemporary nursing practices to build nursing skills and competencies
2757: using technology-based learning. It is structured to develop competent, BSN nurses in a program that is sustainable,
2758: scalable, and nationally relevant. The prelicensure BSN program includes a strategic partnership between the Western
2759: Governors University Nursing Program and healthcare employers who provide practice sites and clinical coaches.
2760: Graduates are prepared to function in new roles as members of healthcare teams in many settings. The prelicensure
2761: BSN program includes the study of medical-surgical (including critical care), psychiatric/mental health, pediatrics,
2762: obstetrics, and community health nursing and includes courses on evidence-based practice, research, leadership,
2763: nursing informatics, and professional nursing roles and values. Graduates are eligible to apply to take the NCLEX-RN
2764: exam for state licensure and be prepared to seek nursing positions for military, U.S. Public Health, and VA
2765: appointments as well as assume roles in school, community, and occupational health, and other acute and non-acute
2766: care settings. BSN graduates are also prepared to enter MS, Nursing programs. This degree program includes online
2767: and distance learning plus high fidelity simulation labs and hands on clinical experiences. The WGU prelicensure BS,
2768: Nursing program is evidence-based and developed according to The Essentials of Baccalaureate Education for
2769: Professional Practice from the American Association of Colleges of Nursing (2008) (click here to view). In addition, it
2770: incorporates competencies and standards from professional organizations and state regulations.
2771: CCN Course Number Course Description CUs Term
2772: MATH 1100 C784 Applied Healthcare Statistics 4 1
2773: ENGL 1010 C455 English Composition I 3 1
2774: BIO 2010 C107 Anatomy and Physiology I 4 1
2775: COMM 1011 C464 Introduction to Communication 3 1
2776: BIO 2011 C405 Anatomy and Physiology II 4 2
2777: PSYC 1010 C180 Introduction to Psychology 3 2
2778: HUMN 1010 C100 Introduction to Humanities 3 2
2779: SOCG 1010 C273 Introduction to Sociology 3 2
2780: NURS 2300 C453 Clinical Microbiology 4 3
2781: POLS 1020 C181 Survey of United States Constitution and Government 3 3
2782: PSYC 2010 C217 Human Growth and Development Across the Lifespan 3 3
2783: CHEM 3503 C785 Biochemistry 3 3
2784: COMM 3113 C820 Professional Leadership and Communication for Healthcare 2 4
2785: NURS 2211 C825 Introduction to Nursing Arts and Science 3 4
2786: NURS 2035 C787 Health and Wellness Through Nutritional Science 3 4
2787: NURS 2410 C486 Organizational Systems: Safety and Regulation 1 4
2788: NURS 2710 C466 Medication Dosage Calculations 1 4
2789: NURS 2060 C467 Pharmacology 2 4
2790: NURS 3510 C468 Information Management and the Application of Technology 3 5
2791: NURS 3210 C469 Caring Arts and Science Across the Lifespan Part I 4 5
2792: NURS 3215 C470 Caring Arts and Science Across the Lifespan Part I Clinical
2793: Learning

=== School of Technology ===
3187: ###COLLEGE: School of Technology
3188: Bachelor of Science, Cybersecurity and Information Assurance
3189: To meet an increasing demand for cybersecurity professionals, the Bachelor of Science in Cybersecurity and
3190: Information Assurance (BSCSIA) degree program prepares IT professionals to apply knowledge and experience in risk
3191: management and digital forensics to safeguard infrastructure and secure data through continuity planning and disaster
3192: recovery operations. Courses deliver proven methods for information security using software analysis techniques, web
3193: engineering, cloud management, and networking strategies to prevent, detect, and mitigate cyberattacks. This
3194: program features nationally recognized, high demand certifications in the field of cybersecurity.
3195: CCN Course Number Course Description CUs Term
3196: ITEC 2001 C182 Introduction to IT 4 1
3197: PHIL 3010 C168 Critical Thinking and Logic 3 1
3198: ITAS 2010 C836 Fundamentals of Information Security 3 1
3199: GEOG 1311 C255 Introduction to Geography 3 1
3200: ITEC 2205 C846 Business of IT - Applications 4 2
3201: SCIE 1020 C165 Integrated Physical Sciences 3 2
3202: SCIE 1001 C683 Natural Science Lab 2 2
3203: ITWD 3100 C779 Web Development Foundations 3 2
3204: ITEC 2102 C172 Network and Security - Foundations 3 3
3205: MATH 1010 C463 Intermediate Algebra 3 3
3206: ENGL 1010 C455 English Composition I 3 3
3207: ITEC 2021 C393 IT Foundations 4 3
3208: ITEC 2031 C394 IT Applications 4 4
3209: COMM 1011 C464 Introduction to Communication 3 4
3210: ITEC 3701 C480 Networks 4 4
3211: MATH 1015 C278 College Algebra 4 4
3212: ITEC 2103 C173 Scripting and Programming - Foundations 3 5
3213: ITAS 2020 C837 Managing Web Security 4 5
3214: ITEC 2202 C178 Network and Security - Applications 4 5
3215: MATH 1030 C459 Introduction to Probability and Statistics 3 5
3216: ENGL 1020 C456 English Composition II 3 6
3217: ITAS 2040 C839 Introduction to Cryptography 4 6
3218: ITEC 2104 C175 Data Management - Foundations 3 6
3219: ITEC 2204 C170 Data Management - Applications 4 6
3220: ITAS 2050 C840 Digital Forensics in Cybersecurity 4 7
3221: ITAS 3050 C845 Information Systems Security 4 7
3222: ITEC 2220 C768 Technical Communication 3 7
3223: ITEC 2105 C176 Business of IT - Project Management 4 7
3224: ITAS 3010 C841 Legal Issues in Information Security 4 8
3225: ITAS 2030 C838 Managing Cloud Security 4 8
3226: ITAS 3040 C844 Emerging Technologies in Cybersecurity 4 8

=== School of Education ===
3672: ###COLLEGE: School of Education
3673: Bachelor of Arts, Interdisciplinary Studies (K-8)
3674: The Bachelor of Arts in Interdisciplinary Studies (K-8) is a competency-based program that enables teacher
3675: candidates to earn a Bachelor of Arts degree and a K-8 teaching certificate online (except for the in-classroom
3676: component demonstration teaching, and options for in-classroom field experiences prior to demonstration teaching).
3677: This program consists of four balanced areas of study (domains), competency-based assessments, and the creation of
3678: a professional portfolio. This program includes a supervised teaching practicum in a real classroom and thus prepares
3679: students for initial teacher licensure.
3680: CCN Course Number Course Description CUs Term
3681: HLTH 1010 C458 Health, Fitness and Wellness 4 1
3682: MATH 1000 C457 Foundations of College Mathematics 3 1
3683: EDUC 2210 C272 Foundational Perspectives of Education 3 1
3684: ENGL 1010 C455 English Composition I 3 1
3685: HUMN 1010 C100 Introduction to Humanities 3 2
3686: ENGL 1020 C456 English Composition II 3 2
3687: HIST 1310 C375 Survey of World History 3 2
3688: MATH 1310 C460 Mathematics for Elementary Educators I 3 2
3689: COMM 1011 C464 Introduction to Communication 3 3
3690: PSYC 2010 C217 Human Growth and Development Across the Lifespan 3 3
3691: HIST 1010 C121 Survey of United States History 3 3
3692: MATH 1320 C461 Mathematics for Elementary Educators II 3 3
3693: BIO 1010 C190 Introduction to Biology 3 4
3694: EDUC 3260 C913 Psychology for Educators 4 4
3695: SCIE 1020 C165 Integrated Physical Sciences 3 4
3696: SCIE 1001 C683 Natural Science Lab 2 4
3697: MATH 1330 C462 Mathematics for Elementary Educators III 3 5
3698: EDUC 2240 EFP1 Cultural Studies and Diversity 3 5
3699: EDUC 2311 C847 Fundamentals of Diversity, Inclusion, and Exceptional Learners 4 5
3700: PHIL 3010 C168 Critical Thinking and Logic 3 5
3701: POLS 1020 C181 Survey of United States Constitution and Government 3 6
3702: EDUC 2416 C572 Classroom Management, Engagement, and Motivation 4 6
3703: EDUC 3120 NHC1 Introduction to Instructional Planning and Presentation 3 6
3704: EDUC 3110 DRC1 Educational Assessment 3 6
3705: EDUC 3220 C368 Instructional Planning and Presentation in Elementary
3706: Education
3707: 3 7
3708: EDUC 4211 C909 Elementary Reading Methods and Interventions 3 7
3709: EDUC 2211 C269 Children's Literature 3 7
3710: EDUC 4220 C365 Language Arts Instruction and Intervention 3 7
3711: EDUC 4240 C108 Elementary Science Methods 3 8

=== catalog_june_2018_tagged.txt ===

=== School of Business ===
2137: ###COLLEGE: School of Business
2138: Bachelor of Science, Business Management
2139: The Bachelor of Science in Business Management is a competency-based program that enables leaders and
2140: managers in organizations to earn a Bachelor of Science degree. The B.S. in Business Management is great
2141: preparation for a variety of careers in the business field. This program consists of twelve balanced areas of study,
2142: WGU competency-based assessments, and a capstone project.
2143: CCN Course Number Course Description CUs Term
2144: BUS 2301 C483 Principles of Management 4 1
2145: MATH 1010 C463 Intermediate Algebra 3 1
2146: ENGL 1010 C455 English Composition I 3 1
2147: SOCG 1010 C273 Introduction to Sociology 3 1
2148: GEOG 1311 C255 Introduction to Geography 3 2
2149: MATH 1015 C278 College Algebra 4 2
2150: ENGL 1020 C456 English Composition II 3 2
2151: MGMT 3000 C715 Organizational Behavior 3 2
2152: HRM 2100 C232 Introduction to Human Resource Management 3 3
2153: COMM 1011 C464 Introduction to Communication 3 3
2154: MATH 1030 C459 Introduction to Probability and Statistics 3 3
2155: BUS 2100 C711 Introduction to Business 3 3
2156: PHIL 3010 C168 Critical Thinking and Logic 3 4
2157: HIST 1010 C121 Survey of United States History 3 4
2158: HUMN 1010 C100 Introduction to Humanities 3 4
2159: BUS 3000 C717 Business Ethics 3 4
2160: ITEC 2001 C182 Introduction to IT 4 5
2161: SCIE 1015 C452 Integrated Natural Science Applications 4 5
2162: ECON 2100 C719 Macroeconomics 3 5
2163: BUIT 2200 C268 Spreadsheets 3 5
2164: ECON 2000 C718 Microeconomics 3 6
2165: LAW 3000 C713 Business Law 3 6
2166: ACCT 2311 VYC1 Principles of Accounting 4 6
2167: MKTG 3000 C712 Marketing Fundamentals 3 6
2168: BUSI 3731 VZT1 Marketing Applications 3 7
2169: ACCT 3310 UFC1 Managerial Accounting 3 7
2170: ECON 3600 FVC1 Global Business 3 7
2171: BUS 2600 C716 Business Communication 3 7
2172: BUS 3100 C723 Quantitative Analysis For Business 3 8
2173: MGMT 3400 C722 Project Management 3 8
2174: BUIT 3000 C724 Information Systems Management 3 8
2175: MGMT 4400 C721 Change Management 3 8
2176: HRM 3200 C234 Workforce Planning: Recruitment and Selection 3 9

=== School of Health ===
2552: ###COLLEGE: Leavitt School of Health
2553: Bachelor of Science, Nursing (Prelicensure)
2554: The prelicensure BSN degree focuses on contemporary nursing practices to build nursing skills and competencies
2555: using technology-based learning. It is structured to develop competent, BSN nurses in a program that is sustainable,
2556: scalable, and nationally relevant. The prelicensure BSN program includes a strategic partnership between the Western
2557: Governors University Nursing Program and healthcare employers who provide practice sites and clinical coaches.
2558: Graduates are prepared to function in new roles as members of healthcare teams in many settings. The prelicensure
2559: BSN program includes the study of medical-surgical (including critical care), psychiatric/mental health, pediatrics,
2560: obstetrics, and community health nursing and includes courses on evidence-based practice, research, leadership,
2561: nursing informatics, and professional nursing roles and values. Graduates are eligible to apply to take the NCLEX-RN
2562: exam for state licensure and be prepared to seek nursing positions for military, U.S. Public Health, and VA
2563: appointments as well as assume roles in school, community, and occupational health, and other acute and non-acute
2564: care settings. BSN graduates are also prepared to enter MS, Nursing programs. This degree program includes online
2565: and distance learning plus high fidelity simulation labs and hands on clinical experiences. The WGU prelicensure BS,
2566: Nursing program is evidence-based and developed according to The Essentials of Baccalaureate Education for
2567: Professional Practice from the American Association of Colleges of Nursing (2008) (click here to view). In addition, it
2568: incorporates competencies and standards from professional organizations and state regulations.
2569: CCN Course Number Course Description CUs Term
2570: MATH 1100 C784 Applied Healthcare Statistics 4 1
2571: ENGL 1010 C455 English Composition I 3 1
2572: BIO 2010 C107 Anatomy and Physiology I 4 1
2573: COMM 1011 C464 Introduction to Communication 3 1
2574: BIO 2011 C405 Anatomy and Physiology II 4 2
2575: PSYC 1010 C180 Introduction to Psychology 3 2
2576: HUMN 1010 C100 Introduction to Humanities 3 2
2577: SOCG 1010 C273 Introduction to Sociology 3 2
2578: NURS 2300 C453 Clinical Microbiology 4 3
2579: POLS 1020 C181 Survey of United States Constitution and Government 3 3
2580: PSYC 2010 C217 Human Growth and Development Across the Lifespan 3 3
2581: CHEM 3503 C785 Biochemistry 3 3
2582: COMM 3113 C820 Professional Leadership and Communication for Healthcare 2 4
2583: NURS 2211 C825 Introduction to Nursing Arts and Science 3 4
2584: NURS 2035 C787 Health and Wellness Through Nutritional Science 3 4
2585: NURS 2410 C486 Organizational Systems: Safety and Regulation 1 4
2586: NURS 2710 C466 Medication Dosage Calculations 1 4
2587: NURS 2060 C467 Pharmacology 2 4
2588: NURS 3510 C468 Information Management and the Application of Technology 3 5
2589: NURS 3210 C469 Caring Arts and Science Across the Lifespan Part I 4 5
2590: NURS 3215 C470 Caring Arts and Science Across the Lifespan Part I Clinical
2591: Learning

=== School of Technology ===
3081: ###COLLEGE: School of Technology
3082: Bachelor of Science, Cloud and Systems Administration
3083: In response to an increasing demand for systems administration professionals, the Bachelor of Science, Cloud and
3084: Systems Administration (BSCLSA) degree program prepares IT professionals to apply knowledge and experience in
3085: operating systems, systems security, and cloud technologies to manage system infrastructure and secure data
3086: through effective IT policies and procedures. The BSCLSA curriculum includes proven methods for systems
3087: administration to ensure uptime, performance, resources, and security of systems to meet the needs of the
3088: organization. The program builds upon a core IT curriculum that includes systems and services, networking and
3089: security, scripting and programming, data management, business of IT, and web development. Students seeking the
3090: BS Cloud and Systems Administration degree demonstrate additional competencies in cloud and system
3091: administration area by taking courses in major operating systems, cloud technology, and security.
3092: CCN Course Number Course Description CUs Term
3093: ITEC 2001 C182 Introduction to IT 4 1
3094: COMM 1011 C464 Introduction to Communication 3 1
3095: ENGL 1010 C455 English Composition I 3 1
3096: PHIL 3010 C168 Critical Thinking and Logic 3 1
3097: MATH 1010 C463 Intermediate Algebra 3 2
3098: MATH 1015 C278 College Algebra 4 2
3099: ITWD 3100 C779 Web Development Foundations 3 2
3100: ITEC 2021 C393 IT Foundations 4 2
3101: ITEC 2031 C394 IT Applications 4 3
3102: ITEC 2102 C172 Network and Security - Foundations 3 3
3103: ITEC 2205 C846 Business of IT - Applications 4 3
3104: HUMN 1010 C100 Introduction to Humanities 3 3
3105: SCIE 1001 C683 Natural Science Lab 2 4
3106: ITEC 3701 C480 Networks 4 4
3107: ITEC 3655 C851 Linux Foundations 3 4
3108: BIO 1010 C190 Introduction to Biology 3 4
3109: MATH 1030 C459 Introduction to Probability and Statistics 3 5
3110: ITEC 3659 C697 Operating Systems I 4 5
3111: ITEC 3669 C698 Operating Systems II 4 5
3112: GEOG 1311 C255 Introduction to Geography 3 5
3113: ITEC 2103 C173 Scripting and Programming - Foundations 3 6
3114: ITEC 2901 C849 Cloud Foundations 3 6
3115: ITEC 2202 C178 Network and Security - Applications 4 6
3116: SCIE 1020 C165 Integrated Physical Sciences 3 6
3117: ITEC 3901 C923 Cloud Applications 3 7
3118: ITEC 2220 C768 Technical Communication 3 7
3119: ITEC 2105 C176 Business of IT - Project Management 4 7
3120: ITEC 2104 C175 Data Management - Foundations 3 7

=== School of Education ===
3554: ###COLLEGE: School of Education
3555: Bachelor of Arts, Interdisciplinary Studies (K-8)
3556: The Bachelor of Arts in Interdisciplinary Studies (K-8) is a competency-based program that enables teacher
3557: candidates to earn a Bachelor of Arts degree and a K-8 teaching certificate online (except for the in-classroom
3558: component demonstration teaching, and options for in-classroom field experiences prior to demonstration teaching).
3559: This program consists of four balanced areas of study (domains), competency-based assessments, and the creation of
3560: a professional portfolio. This program includes clinical experiences that prepare teacher candidates for the classroom.
3561: Candidates develop and refine their teaching skills through a series of sequential experiences beginning with video-
3562: based observations of classroom instruction. Observations prepare candidates for an authentic, collaborative pre-
3563: clinical teaching experiences in K-12 settings. Clinical experiences culminate with supervised demonstration teaching
3564: in a real classroom.
3565: CCN Course Number Course Description CUs Term
3566: HLTH 1010 C458 Health, Fitness and Wellness 4 1
3567: MATH 1000 C457 Foundations of College Mathematics 3 1
3568: EDUC 2210 C272 Foundational Perspectives of Education 3 1
3569: ENGL 1010 C455 English Composition I 3 1
3570: HUMN 1010 C100 Introduction to Humanities 3 2
3571: ENGL 1020 C456 English Composition II 3 2
3572: HIST 1310 C375 Survey of World History 3 2
3573: MATH 1310 C460 Mathematics for Elementary Educators I 3 2
3574: COMM 1011 C464 Introduction to Communication 3 3
3575: HIST 1010 C121 Survey of United States History 3 3
3576: MATH 1320 C461 Mathematics for Elementary Educators II 3 3
3577: BIO 1010 C190 Introduction to Biology 3 3
3578: EDUC 3260 C913 Psychology for Educators 4 4
3579: SCIE 1020 C165 Integrated Physical Sciences 3 4
3580: SCIE 1001 C683 Natural Science Lab 2 4
3581: MATH 1330 C462 Mathematics for Elementary Educators III 3 4
3582: EDUC 2240 EFP1 Cultural Studies and Diversity 3 5
3583: EDUC 2311 C847 Fundamentals of Diversity, Inclusion, and Exceptional Learners 4 5
3584: PHIL 3010 C168 Critical Thinking and Logic 3 5
3585: POLS 1020 C181 Survey of United States Constitution and Government 3 5
3586: EDUC 2416 C572 Classroom Management, Engagement, and Motivation 4 6
3587: EDUC 3120 NHC1 Introduction to Instructional Planning and Presentation 3 6
3588: EDUC 3110 DRC1 Educational Assessment 3 6
3589: EDUC 3220 C368 Instructional Planning and Presentation in Elementary
3590: Education
3591: 3 6
3592: EDUC 4211 C909 Elementary Reading Methods and Interventions 3 7
3593: EDUC 2211 C269 Children's Literature 3 7

=== catalog_june_2019_tagged.txt ===

=== School of Business ===
2199: ###COLLEGE: School of Business
2200: Bachelor of Science, Business Management
2201: The Bachelor of Science in Business Management is a competency-based program that enables leaders and
2202: managers in organizations to earn a Bachelor of Science degree. The B.S. in Business Management is great
2203: preparation for a variety of careers in the business field. This program consists of twelve balanced areas of study,
2204: WGU competency-based assessments, and a capstone project.
2205: CCN Course Number Course Description CUs Term
2206: BUS 2100 C994 Fundamentals for Success in Business 3 1
2207: GEOG 1311 C255 Introduction to Geography 3 1
2208: ENGL 1010 C455 English Composition I 3 1
2209: PHIL 3010 C168 Critical Thinking and Logic 3 1
2210: BUS 2301 C483 Principles of Management 4 2
2211: MATH 1101 C955 Applied Probability and Statistics 3 2
2212: ENGL 1020 C456 English Composition II 3 2
2213: HRM 2100 C232 Introduction to Human Resource Management 3 2
2214: BUS 3000 C717 Business Ethics 3 3
2215: MATH 1200 C957 Applied Algebra 3 3
2216: SCIE 1020 C165 Integrated Physical Sciences 3 3
2217: COMM 1011 C464 Introduction to Communication 3 3
2218: MGMT 3000 C715 Organizational Behavior 3 4
2219: LAW 3000 C713 Business Law 3 4
2220: SOCG 1010 C273 Introduction to Sociology 3 4
2221: HRM 3200 C234 Workforce Planning: Recruitment and Selection 3 4
2222: HUMN 3100 C961 Ethics in Technology 3 5
2223: HIST 1010 C121 Survey of United States History 3 5
2224: ECON 2100 C719 Macroeconomics 3 5
2225: BUIT 2200 C268 Spreadsheets 3 5
2226: ECON 2000 C718 Microeconomics 3 6
2227: HUMN 1010 C100 Introduction to Humanities 3 6
2228: ACCT 2311 VYC1 Principles of Accounting 4 6
2229: MKTG 3000 C712 Marketing Fundamentals 3 6
2230: BUSI 3731 VZT1 Marketing Applications 3 7
2231: ECON 3600 FVC1 Global Business 3 7
2232: ACCT 3310 UFC1 Managerial Accounting 3 7
2233: BUS 3100 C723 Quantitative Analysis For Business 3 7
2234: BUS 2600 C716 Business Communication 3 8
2235: HRM 3100 C233 Employment Law 3 8
2236: MGMT 3400 C722 Project Management 3 8
2237: MGMT 4100 C720 Operations and Supply Chain Management 3 8
2238: MGMT 4400 C721 Change Management 3 9

=== School of Health ===
2615: ###COLLEGE: Leavitt School of Health
2616: Bachelor of Science, Nursing (Prelicensure)
2617: The prelicensure BSN degree focuses on contemporary nursing practices to build nursing skills and competencies
2618: using technology-based learning. It is structured to develop competent, BSN nurses in a program that is sustainable,
2619: scalable, and nationally relevant. The prelicensure BSN program includes a strategic partnership between the Western
2620: Governors University Nursing Program and healthcare employers who provide practice sites and clinical coaches.
2621: Graduates are prepared to function in new roles as members of healthcare teams in many settings. The prelicensure
2622: BSN program includes the study of medical-surgical (including critical care), psychiatric/mental health, pediatrics,
2623: obstetrics, and community health nursing and includes courses on evidence-based practice, research, leadership,
2624: nursing informatics, and professional nursing roles and values. Graduates are eligible to apply to take the NCLEX-RN
2625: exam for state licensure and be prepared to seek nursing positions for military, U.S. Public Health, and VA
2626: appointments as well as assume roles in school, community, and occupational health, and other acute and non-acute
2627: care settings. BSN graduates are also prepared to enter MS, Nursing programs. This degree program includes online
2628: and distance learning plus high fidelity simulation labs and hands on clinical experiences. The WGU prelicensure BS,
2629: Nursing program is evidence-based and developed according to The Essentials of Baccalaureate Education for
2630: Professional Practice from the American Association of Colleges of Nursing (2008) (click here to view). In addition, it
2631: incorporates competencies and standards from professional organizations and state regulations.
2632: CCN Course Number Course Description CUs Term
2633: MATH 1100 C784 Applied Healthcare Statistics 4 1
2634: ENGL 1010 C455 English Composition I 3 1
2635: BIO 2010 C107 Anatomy and Physiology I 4 1
2636: COMM 1011 C464 Introduction to Communication 3 1
2637: BIO 2011 C405 Anatomy and Physiology II 4 2
2638: PSYC 1010 C180 Introduction to Psychology 3 2
2639: HUMN 1010 C100 Introduction to Humanities 3 2
2640: SOCG 1010 C273 Introduction to Sociology 3 2
2641: NURS 2300 C453 Clinical Microbiology 4 3
2642: POLS 1020 C181 Survey of United States Constitution and Government 3 3
2643: PSYC 2010 C217 Human Growth and Development Across the Lifespan 3 3
2644: CHEM 3503 C785 Biochemistry 3 3
2645: COMM 3113 C820 Professional Leadership and Communication for Healthcare 2 4
2646: NURS 2211 C825 Introduction to Nursing Arts and Science 3 4
2647: NURS 2035 C787 Health and Wellness Through Nutritional Science 3 4
2648: NURS 2410 C486 Organizational Systems: Safety and Regulation 1 4
2649: NURS 2710 C466 Medication Dosage Calculations 1 4
2650: NURS 2060 C467 Pharmacology 2 4
2651: NURS 3510 C468 Information Management and the Application of Technology 3 5
2652: NURS 3210 C469 Caring Arts and Science Across the Lifespan Part I 4 5
2653: NURS 3215 C470 Caring Arts and Science Across the Lifespan Part I Clinical
2654: Learning

=== School of Technology ===
3144: ###COLLEGE: School of Technology
3145: Bachelor of Science, Cloud and Systems Administration
3146: In response to an increasing demand for systems administration professionals, the Bachelor of Science, Cloud and
3147: Systems Administration (BSCLSA) degree program prepares IT professionals to apply knowledge and experience in
3148: operating systems, systems security, and cloud technologies to manage system infrastructure and secure data
3149: through effective IT policies and procedures. The BSCLSA curriculum includes proven methods for systems
3150: administration to ensure uptime, performance, resources, and security of systems to meet the needs of the
3151: organization. The program builds upon a core IT curriculum that includes systems and services, networking and
3152: security, scripting and programming, data management, business of IT, and web development. Students seeking the
3153: BS Cloud and Systems Administration degree demonstrate additional competencies in cloud and system
3154: administration area by taking courses in major operating systems, cloud technology, and security.
3155: CCN Course Number Course Description CUs Term
3156: ITEC 2001 C182 Introduction to IT 4 1
3157: COMM 1011 C464 Introduction to Communication 3 1
3158: ENGL 1010 C455 English Composition I 3 1
3159: PHIL 3010 C168 Critical Thinking and Logic 3 1
3160: MATH 1010 C463 Intermediate Algebra 3 2
3161: MATH 1015 C278 College Algebra 4 2
3162: ITWD 3100 C779 Web Development Foundations 3 2
3163: ITEC 2021 C393 IT Foundations 4 2
3164: ITEC 2031 C394 IT Applications 4 3
3165: ITEC 2102 C172 Network and Security - Foundations 3 3
3166: ITEC 2205 C846 Business of IT - Applications 4 3
3167: HUMN 1010 C100 Introduction to Humanities 3 3
3168: SCIE 1001 C683 Natural Science Lab 2 4
3169: ITEC 3701 C480 Networks 4 4
3170: ITEC 3655 C851 Linux Foundations 3 4
3171: BIO 1010 C190 Introduction to Biology 3 4
3172: MATH 1030 C459 Introduction to Probability and Statistics 3 5
3173: ITEC 3659 C697 Operating Systems I 4 5
3174: ITEC 3669 C698 Operating Systems II 4 5
3175: GEOG 1311 C255 Introduction to Geography 3 5
3176: ITEC 2103 C173 Scripting and Programming - Foundations 3 6
3177: ITEC 2901 C849 Cloud Foundations 3 6
3178: ITEC 2202 C178 Network and Security - Applications 4 6
3179: SCIE 1020 C165 Integrated Physical Sciences 3 6
3180: ITEC 3901 C923 Cloud Applications 3 7
3181: ITEC 2220 C768 Technical Communication 3 7
3182: ITEC 2105 C176 Business of IT - Project Management 4 7
3183: ITEC 2104 C175 Data Management - Foundations 3 7

=== School of Education ===
3622: ###COLLEGE: School of Education
3623: Bachelor of Arts, Elementary Education
3624: The Bachelor of Arts in Elementary Education is a competency-based program that enables teacher candidates to
3625: earn a Bachelor of Arts degree and a K-8 teaching certificate online (except for demonstration teaching, which is an in-
3626: classroom component and options for in-classroom field experiences prior to demonstration teaching). This program
3627: consists of four balanced areas of study (domains), competency-based assessments, and the creation of a
3628: professional portfolio. This program includes clinical experiences that prepare teacher candidates for the classroom.
3629: Candidates develop and refine their teaching skills through a series of sequential experiences beginning with video-
3630: based observations of classroom instruction. Observations prepare candidates for an authentic, collaborative
3631: preclinical teaching experiences in K-12 settings. Clinical experiences culminate with supervised demonstration
3632: teaching in a real classroom.
3633: CCN Course Number Course Description CUs Term
3634: HLTH 1010 C458 Health, Fitness and Wellness 4 1
3635: EDUC 2210 C272 Foundational Perspectives of Education 3 1
3636: ENGL 1010 C455 English Composition I 3 1
3637: HUMN 1010 C100 Introduction to Humanities 3 1
3638: ENGL 1020 C456 English Composition II 3 2
3639: HIST 1310 C375 Survey of World History 3 2
3640: MATH 1310 C460 Mathematics for Elementary Educators I 3 2
3641: COMM 1011 C464 Introduction to Communication 3 2
3642: HIST 1010 C121 Survey of United States History 3 3
3643: PSYC 2010 C217 Human Growth and Development Across the Lifespan 3 3
3644: MATH 1320 C461 Mathematics for Elementary Educators II 3 3
3645: BIO 1010 C190 Introduction to Biology 3 3
3646: EDUC 3260 C913 Psychology for Educators 4 4
3647: SCIE 1020 C165 Integrated Physical Sciences 3 4
3648: SCIE 1001 C683 Natural Science Lab 2 4
3649: MATH 1330 C462 Mathematics for Elementary Educators III 3 4
3650: EDUC 2240 EFP1 Cultural Studies and Diversity 3 5
3651: EDUC 2311 C847 Fundamentals of Diversity, Inclusion, and Exceptional Learners 4 5
3652: POLS 1030 C963 American Politics and the US Constitution 3 5
3653: EDUC 2416 C572 Classroom Management, Engagement, and Motivation 4 5
3654: EDUC 3120 NHC1 Introduction to Instructional Planning and Presentation 3 6
3655: EDUC 3110 DRC1 Educational Assessment 3 6
3656: EDUC 3220 C368 Instructional Planning and Presentation in Elementary
3657: Education
3658: 3 6
3659: EDUC 4211 C909 Elementary Reading Methods and Interventions 3 6
3660: EDUC 3211 C970 Children’s Literature 3 7
3661: EDUC 4220 C365 Language Arts Instruction and Intervention 3 7

=== catalog_june_2020_tagged.txt ===

=== School of Business ===
2238: ###COLLEGE: School of Business
2239: Bachelor of Science Business Administration, Accounting
2240: The Bachelor of Science in Business Administration with a Major in Accounting is a competency-based program that
2241: prepares graduates for a variety of careers in the field of accounting both in the public, private and non-profit entities.
2242: Graduates with a major in Accounting will combine a set of general business competencies with a set of in-depth
2243: competencies from the field of accounting. These competencies align with a variety of positions in accounting,
2244: including accounting associate, tax associate, audit associate and can help you develop the professional skills
2245: necessary to become an accounting manager, assistant controller, or controller.
2246: CCN Course Number Course Description CUs Term
2247: BUS 2010 D072 Fundamentals for Success in Business 3 1
2248: BUS 2140 D100 Introduction to Spreadsheets 1 1
2249: BUS 2510 D073 Best Practices in Management: Projects, Staffing, Scheduling,
2250: and Budgeting
2251: 4 1
2252: MATH 1101 C955 Applied Probability and Statistics 3 1
2253: ACCT 2020 D074 Principles of Accounting 3 1
2254: BUS 2030 D075 Information Technology Management Essentials 3 2
2255: ENGL 1010 C455 English Composition I 3 2
2256: BUS 2040 D076 Finance Skills for Managers 3 2
2257: BUS 2050 D077 Concepts in Marketing, Sales, and Customer Contact 3 2
2258: COMM 1011 C464 Introduction to Communication 3 3
2259: ECON 1000 D089 Principles of Economics 3 3
2260: BUS 2060 D078 Business Environment Applications I: Business Structures and
2261: Legal Environment
2262: 2 3
2263: BUS 2061 D079 Business Environment Applications II: Process, Logistics, and
2264: Operations
2265: 2 3
2266: BUS 2070 D080 Managing in a Global Business Environment 3 3
2267: PHIL 3010 C168 Critical Thinking and Logic 3 4
2268: BUS 2080 D081 Innovative and Strategic Thinking 3 4
2269: BUS 2090 D082 Emotional and Cultural Intelligence 3 4
2270: BUS 2110 D083 Business Core Capstone: An Integrated Application 4 4
2271: BUS 4400 QHT1 Business Management Tasks 3 5
2272: MATH 1200 C957 Applied Algebra 3 5
2273: ACCT 2313 D102 Financial Accounting 3 5
2274: ACCT 3630 C237 Taxation I 3 5
2275: HUMN 1010 C100 Introduction to Humanities 3 6
2276: ACCT 3314 D101 Cost and Managerial Accounting 3 6
2277: ENGL 1020 C456 English Composition II 3 6

=== School of Health ===
2821: ###COLLEGE: Leavitt School of Health
2822: Bachelor of Science, Nursing (Prelicensure)
2823: The prelicensure BSN degree focuses on contemporary nursing practices to build nursing skills and competencies
2824: using technology-based learning. It is structured to develop competent, BSN nurses in a program that is sustainable,
2825: scalable, and nationally relevant. The prelicensure BSN program includes a strategic partnership between the Western
2826: Governors University Nursing Program and healthcare employers who provide practice sites and clinical coaches.
2827: Graduates are prepared to function in new roles as members of healthcare teams in many settings. The prelicensure
2828: BSN program includes the study of medical-surgical (including critical care), psychiatric/mental health, pediatrics,
2829: obstetrics, and community health nursing and includes courses on evidence-based practice, research, leadership,
2830: nursing informatics, and professional nursing roles and values. Graduates are eligible to apply to take the NCLEX-RN
2831: exam for state licensure and be prepared to seek nursing positions for military, U.S. Public Health, and VA
2832: appointments as well as assume roles in school, community, and occupational health, and other acute and non-acute
2833: care settings. BSN graduates are also prepared to enter MS, Nursing programs. This degree program includes online
2834: and distance learning plus high fidelity simulation labs and hands on clinical experiences. The WGU prelicensure BS,
2835: Nursing program is evidence-based and developed according to The Essentials of Baccalaureate Education for
2836: Professional Practice from the American Association of Colleges of Nursing (2008) (click here to view). In addition, it
2837: incorporates competencies and standards from professional organizations and state regulations.
2838: CCN Course Number Course Description CUs Term
2839: MATH 1100 C784 Applied Healthcare Statistics 4 1
2840: ENGL 1010 C455 English Composition I 3 1
2841: BIO 2010 C107 Anatomy and Physiology I 4 1
2842: COMM 1011 C464 Introduction to Communication 3 1
2843: BIO 2011 C405 Anatomy and Physiology II 4 2
2844: PSYC 1010 C180 Introduction to Psychology 3 2
2845: HUMN 1010 C100 Introduction to Humanities 3 2
2846: SOCG 1010 C273 Introduction to Sociology 3 2
2847: NURS 2300 C453 Clinical Microbiology 4 3
2848: POLS 1020 C181 Survey of United States Constitution and Government 3 3
2849: PSYC 2010 C217 Human Growth and Development Across the Lifespan 3 3
2850: CHEM 3503 C785 Biochemistry 3 3
2851: COMM 3113 C820 Professional Leadership and Communication for Healthcare 2 4
2852: NURS 2211 C825 Introduction to Nursing Arts and Science 3 4
2853: NURS 2035 C787 Health and Wellness Through Nutritional Science 3 4
2854: NURS 2410 C486 Organizational Systems: Safety and Regulation 1 4
2855: NURS 2710 C466 Medication Dosage Calculations 1 4
2856: NURS 2060 C467 Pharmacology 2 4
2857: NURS 3510 C468 Information Management and the Application of Technology 3 5
2858: NURS 3210 C469 Caring Arts and Science Across the Lifespan Part I 4 5
2859: NURS 3215 C470 Caring Arts and Science Across the Lifespan Part I Clinical
2860: Learning

=== School of Technology ===
3374: ###COLLEGE: School of Technology
3375: Bachelor of Science, Cloud Computing
3376: The Bachelor of Science Cloud Computing (BSCC) degree program prepares IT professionals to apply knowledge and
3377: experience in the delivery of cloud computing solutions with operating systems, systems security, and cloud
3378: technologies. These are used to manage system infrastructure and secure data through effective IT policies and
3379: procedures (DevOps). The BSCC curriculum includes industry standard methods to ensure uptime, performance,
3380: resource availability, and the security of computing resources to meet the needs of the organization. The program
3381: builds upon a core IT curriculum that includes systems and services, networking and security, scripting and
3382: programming, data management, business of IT, and web development. Students seeking the BS Cloud Computing
3383: degree demonstrate additional competencies in software, engineering and architecture development for cloud-based
3384: computing solutions across multiple industries.
3385: CCN Course Number Course Description CUs Term
3386: ITEC 2001 C182 Introduction to IT 4 1
3387: COMM 1011 C464 Introduction to Communication 3 1
3388: ENGL 1010 C455 English Composition I 3 1
3389: ITWD 3100 C779 Web Development Foundations 3 1
3390: MATH 1101 C955 Applied Probability and Statistics 3 2
3391: MATH 1200 C957 Applied Algebra 3 2
3392: GEOG 1311 C255 Introduction to Geography 3 2
3393: ITEC 2021 C393 IT Foundations 4 2
3394: ITEC 2031 C394 IT Applications 4 3
3395: ITEC 2102 C172 Network and Security - Foundations 3 3
3396: ITEC 2205 C846 Business of IT - Applications 4 3
3397: HUMN 1010 C100 Introduction to Humanities 3 3
3398: SCIE 1001 C683 Natural Science Lab 2 4
3399: ITEC 3701 C480 Networks 4 4
3400: ITEC 3655 C851 Linux Foundations 3 4
3401: BIO 1010 C190 Introduction to Biology 3 4
3402: POLS 1030 C963 American Politics and the US Constitution 3 5
3403: HUMN 3100 C961 Ethics in Technology 3 5
3404: ITEC 2103 C173 Scripting and Programming - Foundations 3 5
3405: ITCL 3905 D086 Desktop Virtualization 4 5
3406: ITCL 3906 D087 Data Center Virtualization 4 6
3407: ITEC 2901 C849 Cloud Foundations 3 6
3408: ITEC 2202 C178 Network and Security - Applications 4 6
3409: SCIE 1020 C165 Integrated Physical Sciences 3 6
3410: ITEC 3901 C923 Cloud Applications 3 7
3411: ITEC 2220 C768 Technical Communication 3 7
3412: ITEC 2105 C176 Business of IT - Project Management 4 7
3413: ITEC 2104 C175 Data Management - Foundations 3 7

=== School of Education ===
3832: ###COLLEGE: School of Education
3833: Bachelor of Arts, Elementary Education
3834: The Bachelor of Arts in Elementary Education (BAELED), is a competency-based degree program that prepares
3835: students to be licensed as K-8 elementary teachers. This program consists of online courses which take the learner
3836: from general education through educational professional core coursework, continuing through methods of elementary
3837: instruction and assessment, including inclusive practices for students with mild to moderate exceptionalities.
3838: Candidates develop and refine their teaching skills through a series of sequential experiences beginning with video-
3839: based observations of classroom instruction to prepare candidates for authentic, collaborative, pre-clinical teaching
3840: experiences in K-8 settings. Clinical experiences culminate with supervised demonstration teaching in a real
3841: classroom. With the successful completion of required assessments in the major area of teaching, the student can
3842: receive institutional recommendation for certification in elementary education.
3843: CCN Course Number Course Description CUs Term
3844: HLTH 1010 C458 Health, Fitness, and Wellness 4 1
3845: EDUC 2210 C272 Foundational Perspectives of Education 3 1
3846: ENGL 1010 C455 English Composition I 3 1
3847: HUMN 1010 C100 Introduction to Humanities 3 1
3848: ENGL 1020 C456 English Composition II 3 2
3849: HIST 1310 C375 Survey of World History 3 2
3850: MATH 1310 C460 Mathematics for Elementary Educators I 3 2
3851: COMM 1011 C464 Introduction to Communication 3 2
3852: HIST 1010 C121 Survey of United States History 3 3
3853: PSYC 2010 C217 Human Growth and Development Across the Lifespan 3 3
3854: MATH 1320 C461 Mathematics for Elementary Educators II 3 3
3855: BIO 1010 C190 Introduction to Biology 3 3
3856: EDUC 3260 C913 Psychology for Educators 4 4
3857: SCIE 1020 C165 Integrated Physical Sciences 3 4
3858: SCIE 1001 C683 Natural Science Lab 2 4
3859: MATH 1330 C462 Mathematics for Elementary Educators III 3 4
3860: EDUC 2240 EFP1 Cultural Studies and Diversity 3 5
3861: EDUC 2311 C847 Fundamentals of Diversity, Inclusion, and Exceptional Learners 4 5
3862: POLS 1030 C963 American Politics and the US Constitution 3 5
3863: EDUC 2416 C572 Classroom Management, Engagement, and Motivation 4 5
3864: EDUC 3120 NHC1 Introduction to Instructional Planning and Presentation 3 6
3865: EDUC 3110 DRC1 Educational Assessment 3 6
3866: EDUC 3220 C368 Instructional Planning and Presentation in Elementary
3867: Education
3868: 3 6
3869: EDUC 4211 C909 Elementary Reading Methods and Interventions 3 6
3870: EDUC 3211 C970 Children’s Literature 3 7
3871: EDUC 4220 C365 Language Arts Instruction and Intervention 3 7
In [479]:
# ✅ Debug: Check which lines match title_pattern inside legacy blocks

import os

test_file = legacy_files[0]  # Pick your 2017 file for example

print(f"\n=== Testing: {os.path.basename(test_file)} ===")

with open(test_file, "r", encoding="utf-8") as f:
    lines = [line.strip() for line in f]

lines = fix_lines_if_needed(lines, test_file)

# Find tagged colleges
markers = []
for i, line in enumerate(lines):
    m = college_tag_pattern.match(line)
    if m:
        raw = m.group(1)
        name = map_college_name(raw)
        markers.append((i, name))

markers.append((len(lines), None))

for (start, college_name), (end, _) in zip(markers[:-1], markers[1:]):
    print(f"\n=== {college_name} ===")
    for i in range(start, end):
        line = lines[i]
        if title_pattern.match(line):
            print(f"✔️ MATCH [{i}]: {line}")
        elif (
            line.lower().startswith("bachelor")
            or line.lower().startswith("master")
        ):
            print(f"❌ SHOULD MATCH [{i}]: {line}")
=== Testing: catalog_july_2017_tagged.txt ===

=== School of Business ===
✔️ MATCH [2323]: Bachelor of Science, Business Management
✔️ MATCH [2371]: Bachelor of Science, Business - Healthcare Management
✔️ MATCH [2428]: Bachelor of Science, Business - Human Resource Management
✔️ MATCH [2480]: Bachelor of Science, Business - Information Technology Management
✔️ MATCH [2530]: Bachelor of Science, Marketing Management
✔️ MATCH [2574]: Bachelor of Science, Accounting
✔️ MATCH [2622]: Master of Business Administration
✔️ MATCH [2639]: MBA, IT Management
✔️ MATCH [2658]: MBA, Healthcare Management
✔️ MATCH [2678]: Master of Science, Integrated Healthcare Management
✔️ MATCH [2700]: Master of Science, Management and Leadership
✔️ MATCH [2724]: Master of Science, Accounting

=== School of Health ===
✔️ MATCH [2755]: Bachelor of Science, Nursing (Prelicensure)
✔️ MATCH [2820]: Bachelor of Science, Nursing (RN to BSN)
✔️ MATCH [2861]: Master of Science, Nursing - Education (BSN to MSN)
✔️ MATCH [2903]: Master of Science, Nursing - Leadership and Management (BSN to MSN)
✔️ MATCH [2946]: Master of Science, Nursing - Nursing Informatics (BSN to MSN)
✔️ MATCH [2987]: Master of Science, Nursing - Education (RN to MSN)
✔️ MATCH [3051]: Master of Science, Nursing - Leadership and Management (RN to MSN)
✔️ MATCH [3115]: Master of Science, Nursing - Nursing Informatics (RN to MSN)

=== School of Technology ===
✔️ MATCH [3188]: Bachelor of Science, Cybersecurity and Information Assurance
✔️ MATCH [3234]: Bachelor of Science, Data Management/Data Analytics
✔️ MATCH [3277]: Bachelor of Science, Information Technology
✔️ MATCH [3326]: Bachelor of Science, IT - Networks Administration Emphasis
✔️ MATCH [3375]: Bachelor of Science, IT - Security Emphasis
✔️ MATCH [3426]: Bachelor of Science, Software Development
✔️ MATCH [3467]: Bachelor of Science, Health Information Management
✔️ MATCH [3525]: Master of Science, Cybersecurity and Information Assurance
✔️ MATCH [3544]: Master of Science, Data Analytics
✔️ MATCH [3562]: Master of Science, Information Technology Management

=== School of Education ===
✔️ MATCH [3673]: Bachelor of Arts, Interdisciplinary Studies (K-8)
✔️ MATCH [3737]: Bachelor of Arts, Mathematics (5-9)
✔️ MATCH [3793]: Bachelor of Arts, Mathematics (5-12)
✔️ MATCH [3856]: Bachelor of Arts, Science (5-9)
✔️ MATCH [3915]: Bachelor of Arts, Science (5-12, Bio)
✔️ MATCH [3974]: Bachelor of Arts, Science (5-12, Chemistry)
✔️ MATCH [4033]: Bachelor of Arts, Science (5-12, Geo)
✔️ MATCH [4092]: Bachelor of Arts, Science (5-12, Physics)
✔️ MATCH [4150]: Bachelor of Arts, Special Education
✔️ MATCH [4313]: Master of Arts in Teaching, Elementary Education (K-8)
✔️ MATCH [4360]: Master of Arts in Teaching, English Education (5-12)
✔️ MATCH [4397]: Master of Arts in Teaching, Mathematics (5-9)
✔️ MATCH [4436]: Master of Arts in Teaching, Mathematics (5-12)
✔️ MATCH [4477]: Master of Arts in Teaching, Science (5-12)
✔️ MATCH [4514]: Master of Science, Special Education
✔️ MATCH [4547]: Master of Science, Educational Leadership
✔️ MATCH [4573]: Master of Arts, English Language Learning (PreK-12)
✔️ MATCH [4593]: Master of Arts, Mathematics Education (K-6)
✔️ MATCH [4611]: Master of Arts, Mathematics Education (5-9)
✔️ MATCH [4635]: Master of Arts, Mathematics Education (5-12)
✔️ MATCH [4664]: Master of Arts, Science Education (5-9)
✔️ MATCH [4686]: Master of Arts, Science Education (5-12, Chemistry)
✔️ MATCH [4710]: Master of Arts, Science Education (5-12, Physics)
✔️ MATCH [4732]: Master of Arts, Science Education (5-12, Bio)
✔️ MATCH [4754]: Master of Arts, Science Education (5-12, Geo)
✔️ MATCH [4776]: Master of Education, Instructional Design
✔️ MATCH [4797]: Master of Education, Learning and Technology
✔️ MATCH [4817]: Master of Science, Curriculum and Instruction
✔️ MATCH [4841]: Endorsement Preparation Program, Educational Leadership
✔️ MATCH [4865]: Endorsement Preparation Program, English Language Learning (PreK-12)
✔️ MATCH [5802]: mastery of advanced levels of the key behaviors for clinical practice of Medical Surgical nursing.
✔️ MATCH [5860]: mastery of advanced competencies particularly in patient safety in quality improvement science.
✔️ MATCH [7552]: Masterson, Debra; Ed.D., Liberty University
In [466]:
 
catalog_june_2021.txt: ['School of Business', 'School of Education', 'School of Health', 'School of Technology']

catalog_june_2022.txt: ['School of Business', 'School of Education', 'School of Health', 'School of Technology']

catalog_june_2023.txt: ['School of Business', 'School of Education', 'School of Health', 'School of Technology']

catalog_june_2024.txt: ['School of Business', 'School of Education', 'School of Health', 'School of Technology']

catalog_june_2025.txt: ['School of Business', 'School of Education', 'School of Health', 'School of Technology']

catalog_july_2017_tagged.txt: ['School of Business', 'School of Education', 'School of Health', 'School of Technology']

catalog_june_2018_tagged.txt: ['School of Business', 'School of Education', 'School of Health', 'School of Technology']

catalog_june_2019_tagged.txt: ['School of Business', 'School of Education', 'School of Health', 'School of Technology']

catalog_june_2020_tagged.txt: ['School of Business', 'School of Education', 'School of Health', 'School of Technology']
In [ ]:
 
In [467]:
# ✅ Cell 6 — Dump only School of Health programs for ALL modern years (no filters)

import os

for filepath in modern_files:
    print(f"\n=== {os.path.basename(filepath)} ===")
    with open(filepath, "r", encoding="utf-8") as f:
        lines = [line.strip() for line in f]

    lines = fix_lines_if_needed(lines, filepath)

    # Tenets-based colleges
    markers = []
    for i, line in enumerate(lines):
        m = tenets_pattern.match(line)
        if m:
            raw = m.group(1)
            name = map_college_name(raw)
            markers.append((i, name))

    markers.append((len(lines), None))

    # For each college — only School of Health
    for (start, college_name), (end, _) in zip(markers[:-1], markers[1:]):
        if college_name != "School of Health":
            continue

        progs = parse_college(lines, start, end, college_name)
        print(f"\n{college_name}:")
        for p in progs:
            print(f"  - {p['title']}")
=== catalog_june_2021.txt ===

School of Health:
  - Bachelor of Science, Nursing (Prelicensure)
  - Bachelor of Science, Nursing (RN to BSN)
  - Bachelor of Science, Health Information Management
  - Bachelor of Science, Health Services Coordination
  - Master of Science, Nursing - Family Nurse Practitioner (BSN to MSN)
  - Master of Science, Nursing - Education (BSN to MSN)
  - Master of Science, Nursing - Leadership and Management (BSN to MSN)
  - Master of Science, Nursing - Nursing Informatics (BSN to MSN)
  - Master of Science, Nursing - Education (RN to MSN)
  - Master of Science, Nursing - Leadership and Management (RN to MSN)
  - Master of Science, Nursing - Nursing Informatics
  - Master of Health Leadership

=== catalog_june_2022.txt ===

School of Health:
  - Bachelor of Science, Nursing (Prelicensure)
  - Bachelor of Science, Nursing (RN to BSN)
  - Bachelor of Science, Health Information Management
  - Bachelor of Science, Health Services Coordination
  - Master of Science, Nursing - Family Nurse Practitioner (BSN to MSN)
  - Master of Science, Nursing - Psychiatric Mental Health Nurse Practitioner
  - Master of Science, Nursing - Education (BSN to MSN)
  - Master of Science, Nursing - Leadership and Management (BSN to MSN)
  - Master of Science, Nursing - Nursing Informatics (BSN to MSN)
  - Master of Science, Nursing - Education (RN to MSN)
  - Master of Science, Nursing - Leadership and Management (RN to MSN)
  - Master of Science, Nursing - Nursing Informatics (RN to MSN)
  - Master of Health Leadership
  - Post-Master's Certificate, Nursing - Nursing Education (Post-MSN)
  - Post-Master's Certificate, Nursing - Leadership and Management (Post-MSN)

=== catalog_june_2023.txt ===

School of Health:
  - Bachelor of Science, Nursing - Prelicensure (Pre-Nursing)
  - Bachelor of Science, Nursing - Prelicensure (Nursing)
  - Bachelor of Science, Nursing (Prelicensure)
  - Bachelor of Science, Health Information Management
  - Bachelor of Science, Health and Human Services
  - Master of Science, Nursing - Family Nurse Practitioner (BSN to MSN)
  - Master of Science, Nursing - Psychiatric Mental Health Nurse Practitioner
  - Master of Science, Nursing - Education (BSN to MSN)
  - Master of Science, Nursing - Leadership and Management (BSN to MSN)
  - Master of Science, Nursing - Nursing Informatics (BSN to MSN)
  - Master of Science, Nursing - Education (RN to MSN)
  - Master of Science, Nursing - Leadership and Management (RN to MSN)
  - Master of Science, Nursing - Nursing Informatics (RN to MSN)
  - Master of Healthcare Administration
  - Post-Master's Certificate, Nursing - Family Nurse Practitioner (Post-MSN)
  - Post-Master's Certificate, Nursing - Psychiatric Mental Health Nurse Practitioner (Post-MSN)
  - Post-Master's Certificate, Nursing - Nursing Education (Post-MSN)
  - Post-Master's Certificate, Nursing - Leadership and Management (Post-MSN)

=== catalog_june_2024.txt ===

School of Health:
  - Bachelor of Science, Nursing - Prelicensure (Pre-Nursing)
  - Bachelor of Science, Nursing - Prelicensure (Nursing)
  - Bachelor of Science, Nursing (Prelicensure)
  - Bachelor of Science, Health Information Management
  - Bachelor of Science, Health and Human Services
  - Bachelor of Science, Health Science
  - Bachelor of Science in Psychology
  - Master of Science, Nursing - Family Nurse Practitioner (BSN to MSN)
  - Master of Science, Nursing - Psychiatric Mental Health Nurse Practitioner
  - Master of Science, Nursing - Education (BSN to MSN)
  - Master of Science, Nursing - Leadership and Management (BSN to MSN)
  - Master of Science, Nursing - Nursing Informatics (BSN to MSN)
  - Master of Science, Nursing - Education (RN to MSN)
  - Master of Science, Nursing - Leadership and Management (RN to MSN)
  - Master of Science, Nursing - Nursing Informatics (RN to MSN)
  - Master of Healthcare Administration
  - Master of Public Health
  - Post-Master's Certificate, Nursing - Family Nurse Practitioner (Post-MSN)
  - Post-Master's Certificate, Nursing - Psychiatric Mental Health Nurse Practitioner (Post-MSN)
  - Post-Master's Certificate, Nursing - Nursing Education (Post-MSN)
  - Post-Master's Certificate, Nursing - Leadership and Management (Post-MSN)

=== catalog_june_2025.txt ===

School of Health:
  - Bachelor of Science, Nursing - Prelicensure (Pre-Nursing)
  - Bachelor of Science, Nursing - Prelicensure (Nursing)
  - Bachelor of Science, Nursing (Prelicensure)
  - Bachelor of Science, Health Information Management
  - Bachelor of Science, Health and Human Services
  - Bachelor of Science, Health Science
  - Bachelor of Science in Psychology
  - Bachelor of Science, Public Health
  - Master of Science, Nursing - Family Nurse Practitioner (BSN to MSN)
  - Master of Science, Nursing - Psychiatric Mental Health Nurse Practitioner
  - Master of Science, Nursing - Education (BSN to MSN)
  - Master of Science, Nursing - Leadership and Management (BSN to MSN)
  - Master of Science, Nursing - Nursing Informatics (BSN to MSN)
  - Master of Science, Nursing - Education (RN to MSN)
  - Master of Science, Nursing - Leadership and Management (RN to MSN)
  - Master of Science, Nursing - Nursing Informatics (RN to MSN)
  - Master of Healthcare Administration
  - Master of Public Health
  - Post-Master's Certificate, Nursing - Family Nurse Practitioner (Post-MSN)
  - Post-Master's Certificate, Nursing - Psychiatric Mental Health Nurse Practitioner (Post-MSN)
  - Post-Master's Certificate, Nursing - Nursing Education (Post-MSN)
  - Post-Master's Certificate, Nursing - Leadership and Management (Post-MSN)
In [471]:
# ✅ Cell 6 — Dump ALL colleges and programs for ALL modern years (no filters)

import os

for filepath in modern_files:
    print(f"\n=== {os.path.basename(filepath)} ===")
    with open(filepath, "r", encoding="utf-8") as f:
        lines = [line.strip() for line in f]

    lines = fix_lines_if_needed(lines, filepath)

    # Tenets-based colleges
    markers = []
    for i, line in enumerate(lines):
        m = tenets_pattern.match(line)
        if m:
            raw = m.group(1)
            name = map_college_name(raw)
            markers.append((i, name))

    markers.append((len(lines), None))

    # For each college — no filters
    for (start, college_name), (end, _) in zip(markers[:-1], markers[1:]):
        progs = parse_college(lines, start, end, college_name)
        print(f"\n{college_name}:")
        for p in progs:
            print(f"  - {p['title']}")
=== catalog_june_2021.txt ===

School of Business:
  - Bachelor of Science Business Administration, Accounting
  - Bachelor of Science Business Administration, Healthcare Management
  - Bachelor of Science Business Administration, Human Resource Management
  - Bachelor of Science Business Administration, Information Technology Management
  - Bachelor of Science Business Administration, Management
  - Bachelor of Science Business Administration, Management (Marketing Emphasis)
  - Bachelor of Science Business Administration, Management (Healthcare Emphasis)
  - Bachelor of Science Business Administration, Marketing
  - Master of Business Administration
  - MBA, IT Management
  - MBA, Healthcare Management
  - Master of Science, Management and Leadership
  - Master of Science, Accounting

School of Health:
  - Bachelor of Science, Nursing (Prelicensure)
  - Bachelor of Science, Nursing (RN to BSN)
  - Bachelor of Science, Health Information Management
  - Bachelor of Science, Health Services Coordination
  - Master of Science, Nursing - Family Nurse Practitioner (BSN to MSN)
  - Master of Science, Nursing - Education (BSN to MSN)
  - Master of Science, Nursing - Leadership and Management (BSN to MSN)
  - Master of Science, Nursing - Nursing Informatics (BSN to MSN)
  - Master of Science, Nursing - Education (RN to MSN)
  - Master of Science, Nursing - Leadership and Management (RN to MSN)
  - Master of Science, Nursing - Nursing Informatics
  - Master of Health Leadership

School of Technology:
  - Bachelor of Science, Cloud Computing
  - Bachelor of Science, Computer Science
  - Bachelor of Science, Cybersecurity and Information Assurance
  - Bachelor of Science, Data Management/Data Analytics
  - Bachelor of Science, Information Technology
  - Bachelor of Science, Network Operations and Security
  - Bachelor of Science, Software Development
  - Master of Science, Cybersecurity and Information Assurance
  - Master of Science, Data Analytics
  - Master of Science, Information Technology Management

School of Education:
  - Bachelor of Arts, Elementary Education
  - Bachelor of Arts, Special Education and Elementary Education (Dual Licensure)
  - Bachelor of Arts, Special Education, Mild to Moderate
  - Bachelor of Science, Mathematics Education (Middle Grades)
  - Bachelor of Science, Mathematics Education (Secondary)
  - Bachelor of Science, Science Education (Middle Grades)
  - Bachelor of Science, Science Education (Secondary Biological Science)
  - Bachelor of Science, Science Education (Secondary Chemistry)
  - Bachelor of Science, Science Education (Secondary Earth Science)
  - Bachelor of Science, Science Education (Secondary Physics)
  - Master of Arts in Teaching, Elementary Education
  - Master of Arts in Teaching, English Education (Secondary)
  - Master of Arts in Teaching, Mathematics Education (Middle Grades)
  - Master of Arts in Teaching, Mathematics Education (Secondary)
  - Master of Arts in Teaching, Science Education (Secondary)
  - Master of Arts in Teaching, Special Education
  - Master of Science, Curriculum and Instruction
  - Master of Science, Educational Leadership
  - Master of Arts, English Language Learning (PreK-12)
  - Master of Education, Instructional Design
  - Master of Education, Learning and Technology
  - Master of Arts, Mathematics Education (K-6)
  - Master of Arts in Mathematics Education (Middle Grades)
  - Master of Arts in Mathematics Education (Secondary)
  - Master of Arts Science Education (Middle Grades)
  - Master of Arts Science Education (Secondary Biological Science)
  - Master of Arts Science Education (Secondary Chemistry)
  - Master of Arts Science Education (Secondary Earth Science)
  - Master of Arts Science Education (Secondary Physics)
  - Endorsement Preparation Program, English Language Learning (PreK-12)

=== catalog_june_2022.txt ===

School of Business:
  - Bachelor of Science Business Administration, Accounting
  - Bachelor of Science Business Administration, Healthcare Management
  - Bachelor of Science Business Administration, Human Resource Management
  - Bachelor of Science Business Administration, Information Technology Management
  - Bachelor of Science Business Administration, Management
  - Bachelor of Science Business Administration, Marketing
  - Master of Business Administration
  - MBA, IT Management
  - MBA, Healthcare Management
  - Master of Science, Management and Leadership
  - Master of Science, Accounting

School of Health:
  - Bachelor of Science, Nursing (Prelicensure)
  - Bachelor of Science, Nursing (RN to BSN)
  - Bachelor of Science, Health Information Management
  - Bachelor of Science, Health Services Coordination
  - Master of Science, Nursing - Family Nurse Practitioner (BSN to MSN)
  - Master of Science, Nursing - Psychiatric Mental Health Nurse Practitioner
  - Master of Science, Nursing - Education (BSN to MSN)
  - Master of Science, Nursing - Leadership and Management (BSN to MSN)
  - Master of Science, Nursing - Nursing Informatics (BSN to MSN)
  - Master of Science, Nursing - Education (RN to MSN)
  - Master of Science, Nursing - Leadership and Management (RN to MSN)
  - Master of Science, Nursing - Nursing Informatics (RN to MSN)
  - Master of Health Leadership
  - Post-Master's Certificate, Nursing - Nursing Education (Post-MSN)
  - Post-Master's Certificate, Nursing - Leadership and Management (Post-MSN)

School of Technology:
  - Bachelor of Science, Cloud Computing – Amazon Web Services track
  - Bachelor of Science, Cloud Computing – Microsoft Azure track
  - Bachelor of Science, Cloud Computing
  - Bachelor of Science, Computer Science
  - Bachelor of Science, Cybersecurity and Information Assurance
  - Bachelor of Science, Data Management/Data Analytics
  - Bachelor of Science, Information Technology
  - Bachelor of Science, Network Operations and Security
  - Bachelor of Science, Software Development
  - Bachelor of Science, Software Development
  - Master of Science, Cybersecurity and Information Assurance
  - Master of Science, Data Analytics
  - Master of Science, Information Technology Management

School of Education:
  - Bachelor of Arts, Educational Studies in Elementary Education
  - Bachelor of Arts, Elementary Education
  - Bachelor of Arts, Special Education and Elementary Education (Dual Licensure)
  - Bachelor of Arts, Special Education, Mild to Moderate
  - Bachelor of Science, Mathematics Education (Middle Grades)
  - Bachelor of Science, Mathematics Education (Secondary)
  - Bachelor of Science, Science Education (Middle Grades)
  - Bachelor of Science, Science Education (Secondary Biological Science)
  - Bachelor of Science, Science Education (Secondary Chemistry)
  - Bachelor of Science, Science Education (Secondary Earth Science)
  - Bachelor of Science, Science Education (Secondary Physics)
  - Master of Arts in Teaching, Elementary Education
  - Master of Arts in Teaching, English Education (Secondary)
  - Master of Arts in Teaching, Mathematics Education (Middle Grades)
  - Master of Arts in Teaching, Mathematics Education (Secondary)
  - Master of Arts in Teaching, Science Education (Secondary)
  - Master of Arts in Teaching, Special Education
  - Master of Science, Curriculum and Instruction
  - Master of Science, Educational Leadership
  - Master of Science, Learning Experience Design and Educational Technology
  - Master of Science, Learning Experience Design and Educational Technology
  - Master of Science, Learning Experience Design and Educational Technology
  - Master of Arts, English Language Learning (PreK-12)
  - Master of Education, Instructional Design
  - Master of Education, Learning and Technology
  - Master of Arts, Mathematics Education (K-6)
  - Master of Arts in Mathematics Education (Middle Grades)
  - Master of Arts in Mathematics Education (Secondary)
  - Master of Arts Science Education (Middle Grades)
  - Master of Arts Science Education (Secondary Biological Science)
  - Master of Arts Science Education (Secondary Chemistry)
  - Master of Arts Science Education (Secondary Earth Science)
  - Master of Arts Science Education (Secondary Physics)
  - Endorsement Preparation Program, English Language Learning (PreK-12)

=== catalog_june_2023.txt ===

School of Business:
  - Bachelor of Science Business Administration, Accounting
  - Bachelor of Science Business Administration, Healthcare Management
  - Bachelor of Science Business Administration, Human Resource Management
  - Bachelor of Science Business Administration, Information Technology Management
  - Bachelor of Science Business Administration, Management
  - Bachelor of Science Business Administration, Marketing
  - Bachelor of Science, Finance
  - Bachelor of Science Supply Chain and Operations Management
  - Master of Business Administration
  - MBA, IT Management
  - MBA, Healthcare Management
  - Master of Science, Management and Leadership
  - Master of Science in Marketing, Digital Marketing Specialization
  - Master of Science in Marketing, Marketing Analytics Specialization
  - Master of Science, Accounting

School of Health:
  - Bachelor of Science, Nursing - Prelicensure (Pre-Nursing)
  - Bachelor of Science, Nursing - Prelicensure (Nursing)
  - Bachelor of Science, Nursing (Prelicensure)
  - Bachelor of Science, Health Information Management
  - Bachelor of Science, Health and Human Services
  - Master of Science, Nursing - Family Nurse Practitioner (BSN to MSN)
  - Master of Science, Nursing - Psychiatric Mental Health Nurse Practitioner
  - Master of Science, Nursing - Education (BSN to MSN)
  - Master of Science, Nursing - Leadership and Management (BSN to MSN)
  - Master of Science, Nursing - Nursing Informatics (BSN to MSN)
  - Master of Science, Nursing - Education (RN to MSN)
  - Master of Science, Nursing - Leadership and Management (RN to MSN)
  - Master of Science, Nursing - Nursing Informatics (RN to MSN)
  - Master of Healthcare Administration
  - Post-Master's Certificate, Nursing - Family Nurse Practitioner (Post-MSN)
  - Post-Master's Certificate, Nursing - Psychiatric Mental Health Nurse Practitioner (Post-MSN)
  - Post-Master's Certificate, Nursing - Nursing Education (Post-MSN)
  - Post-Master's Certificate, Nursing - Leadership and Management (Post-MSN)

School of Technology:
  - Bachelor of Science, Cloud Computing – Amazon Web Services track
  - Bachelor of Science, Cloud Computing – Microsoft Azure track
  - Bachelor of Science, Cloud Computing
  - Bachelor of Science, Computer Science
  - Bachelor of Science, Cybersecurity and Information Assurance
  - Bachelor of Science, Data Management/Data Analytics
  - Bachelor of Science, Information Technology
  - Bachelor of Science, Information Technology (BSIT to MSITM)
  - Master of Science, Information Technology Management portion
  - Bachelor of Science, Network Engineering and Security Cisco Track
  - Bachelor of Science, Software Engineering
  - Bachelor of Science, Software Engineering
  - Master of Science, Cybersecurity and Information Assurance
  - Master of Science, Data Analytics
  - Master of Science, Information Technology Management

School of Education:
  - Bachelor of Arts, Educational Studies in Elementary Education
  - Bachelor of Arts, Elementary Education
  - Bachelor of Arts, Special Education and Elementary Education (Dual Licensure)
  - Bachelor of Arts, Special Education, Mild to Moderate
  - Bachelor of Science, Mathematics Education (Middle Grades)
  - Bachelor of Science, Mathematics Education (Secondary)
  - Bachelor of Science, Science Education (Middle Grades)
  - Bachelor of Science, Science Education (Secondary Biological Science)
  - Bachelor of Science, Science Education (Secondary Chemistry)
  - Bachelor of Science, Science Education (Secondary Earth Science)
  - Bachelor of Science, Science Education (Secondary Physics)
  - Master of Arts in Teaching, Elementary Education
  - Master of Arts in Teaching, English Education (Secondary)
  - Master of Arts in Teaching, Mathematics Education (Middle Grades)
  - Master of Arts in Teaching, Mathematics Education (Secondary)
  - Master of Arts in Teaching, Science Education (Secondary)
  - Master of Arts in Teaching, Special Education
  - Master of Science, Curriculum and Instruction
  - Master of Science, Educational Leadership
  - Master of Science, Learning Experience Design and Educational Technology
  - Master of Science, Learning Experience Design and Educational Technology
  - Master of Science, Learning Experience Design and Educational Technology
  - Master of Arts, English Language Learning (PreK-12)
  - Master of Arts, Mathematics Education (K-6)
  - Master of Arts in Mathematics Education (Middle Grades)
  - Master of Arts in Mathematics Education (Secondary)
  - Master of Arts Science Education (Middle Grades)
  - Master of Arts Science Education (Secondary Biological Science)
  - Master of Arts Science Education (Secondary Chemistry)
  - Master of Arts Science Education (Secondary Earth Science)
  - Master of Arts Science Education (Secondary Physics)
  - Endorsement Preparation Program, English Language Learning (PreK-12)

=== catalog_june_2024.txt ===

School of Business:
  - Bachelor of Science Business Administration, Accounting
  - Bachelor of Science Business Administration, Human Resource Management
  - Bachelor of Science Business Administration, Information Technology Management
  - Bachelor of Science Business Administration, Management
  - Bachelor of Science Business Administration, Marketing
  - Bachelor of Science, Finance
  - Bachelor of Science, Healthcare Administration
  - Bachelor of Science, Supply Chain and Operations Management
  - Master of Business Administration
  - MBA, IT Management
  - MBA, Healthcare Management
  - Master of Science, Management and Leadership
  - Master of Science in Marketing, Digital Marketing Specialization
  - Master of Science in Marketing, Marketing Analytics Specialization
  - Master of Science, Accounting
  - Master of Science, Human Resource Management
  - Certificate: Leadership

School of Health:
  - Bachelor of Science, Nursing - Prelicensure (Pre-Nursing)
  - Bachelor of Science, Nursing - Prelicensure (Nursing)
  - Bachelor of Science, Nursing (Prelicensure)
  - Bachelor of Science, Health Information Management
  - Bachelor of Science, Health and Human Services
  - Bachelor of Science, Health Science
  - Bachelor of Science in Psychology
  - Master of Science, Nursing - Family Nurse Practitioner (BSN to MSN)
  - Master of Science, Nursing - Psychiatric Mental Health Nurse Practitioner
  - Master of Science, Nursing - Education (BSN to MSN)
  - Master of Science, Nursing - Leadership and Management (BSN to MSN)
  - Master of Science, Nursing - Nursing Informatics (BSN to MSN)
  - Master of Science, Nursing - Education (RN to MSN)
  - Master of Science, Nursing - Leadership and Management (RN to MSN)
  - Master of Science, Nursing - Nursing Informatics (RN to MSN)
  - Master of Healthcare Administration
  - Master of Public Health
  - Post-Master's Certificate, Nursing - Family Nurse Practitioner (Post-MSN)
  - Post-Master's Certificate, Nursing - Psychiatric Mental Health Nurse Practitioner (Post-MSN)
  - Post-Master's Certificate, Nursing - Nursing Education (Post-MSN)
  - Post-Master's Certificate, Nursing - Leadership and Management (Post-MSN)

School of Technology:
  - Bachelor of Science, Cloud Computing - Amazon Web Services track
  - Bachelor of Science, Cloud Computing - Microsoft Azure track
  - Bachelor of Science, Cloud Computing
  - Bachelor of Science, Computer Science
  - Bachelor of Science, Cybersecurity and Information Assurance
  - Bachelor of Science, Data Analytics
  - Bachelor of Science, Information Technology
  - Bachelor of Science, Information Technology (BSIT to MSITM)
  - Master of Science, Information Technology Management portion
  - Bachelor of Science, Network Engineering and Security Cisco Track
  - Bachelor of Science, Software Engineering (Java Track)
  - Bachelor of Science, Software Engineering (C# Track)
  - Master of Science, Cybersecurity and Information Assurance
  - Master of Science, Data Analytics - Data Science
  - Master of Science, Data Analytics - Data Engineering
  - Master of Science, Data Analytics - Decision Process Engineering
  - Master of Science, Information Technology Management
  - Certificate: Back End Web Development
  - Certificate: Front End Web Development
  - Certificate: Web Application Deployment and Support

School of Education:
  - Bachelor of Arts, Educational Studies in Elementary Education
  - Bachelor of Arts, Elementary Education
  - Bachelor of Arts, Special Education and Elementary Education (Dual Licensure)
  - Bachelor of Arts, Special Education, Mild to Moderate
  - Bachelor of Science, Mathematics Education (Middle Grades)
  - Bachelor of Science, Mathematics Education (Secondary)
  - Bachelor of Science, Science Education (Middle Grades)
  - Bachelor of Science, Science Education (Secondary Biological Science)
  - Bachelor of Science, Science Education (Secondary Chemistry)
  - Bachelor of Science, Science Education (Secondary Earth Science)
  - Bachelor of Science, Science Education (Secondary Physics)
  - Master of Arts in Teaching, Elementary Education
  - Master of Arts in Teaching, English Education (Secondary)
  - Master of Arts in Teaching, Mathematics Education (Middle Grades)
  - Master of Arts in Teaching, Mathematics Education (Secondary)
  - Master of Arts in Teaching, Science Education (Secondary)
  - Master of Arts in Teaching, Special Education
  - Master of Science, Curriculum and Instruction
  - Master of Science, Educational Leadership
  - Master of Education, Education Technology and Instructional Design (K-12 and Adult Learner)
  - Master of Education, Education Technology and Instructional Design (Adult Learner)
  - Master of Education, Education Technology and Instructional Design (K-12 Learner)
  - Master of Arts, English Language Learning (PreK-12)
  - Master of Arts, Mathematics Education (K-6)
  - Master of Arts in Mathematics Education (Middle Grades)
  - Master of Arts in Mathematics Education (Secondary)
  - Master of Arts Science Education (Middle Grades)
  - Master of Arts Science Education (Secondary Biological Science)
  - Master of Arts Science Education (Secondary Chemistry)
  - Master of Arts Science Education (Secondary Earth Science)
  - Master of Arts Science Education (Secondary Physics)
  - Endorsement Preparation Program, English Language Learning (PreK-12)

=== catalog_june_2025.txt ===

School of Business:
  - Bachelor of Science, Accounting
  - Bachelor of Science, Human Resource Management
  - Bachelor of Science, Information Technology Management
  - Bachelor of Science, Business Management
  - Bachelor of Science, Marketing
  - Bachelor of Science, Communications
  - Bachelor of Science, Finance
  - Bachelor of Science, Healthcare Administration
  - Bachelor of Science, Supply Chain and Operations Management
  - Bachelor of Science, User Experience Design
  - Master of Business Administration
  - MBA, IT Management
  - Master of Business Administration, Healthcare Administration
  - Master of Science, Management and Leadership
  - Master of Science in Marketing, Digital Marketing Specialization
  - Master of Science in Marketing, Marketing Analytics Specialization
  - Master of Science in Accounting, Auditing Specialization
  - Master of Science in Accounting, Financial Reporting Specialization
  - Master of Science in Accounting, Management Accounting Specialization
  - Master of Science in Accounting, Taxation Specialization
  - Master of Science, Human Resource Management

School of Health:
  - Bachelor of Science, Nursing - Prelicensure (Pre-Nursing)
  - Bachelor of Science, Nursing - Prelicensure (Nursing)
  - Bachelor of Science, Nursing (Prelicensure)
  - Bachelor of Science, Health Information Management
  - Bachelor of Science, Health and Human Services
  - Bachelor of Science, Health Science
  - Bachelor of Science in Psychology
  - Bachelor of Science, Public Health
  - Master of Science, Nursing - Family Nurse Practitioner (BSN to MSN)
  - Master of Science, Nursing - Psychiatric Mental Health Nurse Practitioner
  - Master of Science, Nursing - Education (BSN to MSN)
  - Master of Science, Nursing - Leadership and Management (BSN to MSN)
  - Master of Science, Nursing - Nursing Informatics (BSN to MSN)
  - Master of Science, Nursing - Education (RN to MSN)
  - Master of Science, Nursing - Leadership and Management (RN to MSN)
  - Master of Science, Nursing - Nursing Informatics (RN to MSN)
  - Master of Healthcare Administration
  - Master of Public Health
  - Post-Master's Certificate, Nursing - Family Nurse Practitioner (Post-MSN)
  - Post-Master's Certificate, Nursing - Psychiatric Mental Health Nurse Practitioner (Post-MSN)
  - Post-Master's Certificate, Nursing - Nursing Education (Post-MSN)
  - Post-Master's Certificate, Nursing - Leadership and Management (Post-MSN)

School of Technology:
  - Bachelor of Science, Cloud Computing - Amazon Web Services track
  - Bachelor of Science, Cloud Computing - Microsoft Azure track
  - Bachelor of Science, Cloud Computing
  - Bachelor of Science, Computer Science
  - Bachelor of Science, Computer Science (BSCS to MSCS)
  - Bachelor of Science, Cybersecurity and Information Assurance
  - Bachelor of Science, Data Analytics
  - Bachelor of Science, Information Technology
  - Bachelor of Science, Information Technology (BSIT to MSITM)
  - Master of Science, Information Technology Management portion
  - Bachelor of Science, Network Engineering and Security
  - Bachelor of Science, Network Engineering and Security Cisco Track
  - Bachelor of Science, Software Engineering
  - Bachelor of Science, Software Engineering
  - Bachelor of Science, Software Engineering (BSSWE to MSSWE)
  - Master of Science, Computer Science, Artificial Intelligence and Machine Learning
  - Master of Science, Computer Science, Computing Systems
  - Master of Science, Computer Science, Human-Computer Interaction
  - Master of Science, Cybersecurity and Information Assurance
  - Master of Science, Data Analytics - Data Science
  - Master of Science, Data Analytics - Data Engineering
  - Master of Science, Data Analytics - Decision Process Engineering
  - Master of Science, Information Technology Management
  - Master of Science, Software Engineering - AI Engineering
  - Master of Science, Software Engineering - DevOps Engineering
  - Master of Science, Software Engineering - Domain Driven Design

School of Education:
  - Bachelor of Arts, Elementary Education
  - Bachelor of Arts, Special Education and Elementary Education (Dual Licensure)
  - Bachelor of Arts, Special Education, Mild to Moderate
  - Bachelor of Science, Mathematics Education (Secondary)
  - Bachelor of Science, Science Education (Secondary Biological Science)
  - Bachelor of Science, Science Education (Secondary Chemistry)
  - Bachelor of Science, Science Education (Secondary Earth Science)
  - Bachelor of Science, Science Education (Secondary Physics)
  - Bachelor of Arts, Educational Studies in Elementary Education
  - Bachelor of Arts, Educational Studies in Special and Elementary Education
  - Bachelor of Arts, Educational Studies in Mild to Moderate Exceptionalities Special Education
  - Bachelor of Arts, Educational Studies in Secondary Mathematics Education
  - Bachelor of Arts, Educational Studies in Secondary Biological Science Education
  - Bachelor of Arts, Educational Studies in Secondary Chemistry Science Education
  - Bachelor of Arts, Educational Studies in Secondary Earth Science Education
  - Bachelor of Arts, Educational Studies in Secondary Physics Science Education
  - Master of Arts in Teaching, Elementary Education
  - Master of Arts in Teaching, English Education (Secondary)
  - Master of Arts in Teaching, Mathematics Education (Secondary)
  - Master of Arts in Teaching, Science Education (Secondary Biology)
  - Master of Arts in Teaching, Science Education (Secondary Chemistry)
  - Master of Arts in Teaching, Science Education (Secondary Earth Science)
  - Master of Arts in Teaching, Science Education (Secondary Physics)
  - Master of Arts in Teaching, Social Studies Education (Secondary)
  - Master of Arts in Teaching, Special Education
  - Master of Science, Curriculum and Instruction
  - Master of Science, Educational Leadership
  - Master of Education, Education Technology and Instructional Design
  - Master of Education, Education Technology and Instructional Design
  - Master of Education, Education Technology and Instructional Design
  - Master of Arts, English Language Learning
  - Master of Arts, Mathematics Education (K-6)
  - Master of Arts in Mathematics Education (Middle Grades)
  - Master of Arts in Mathematics Education (Secondary)
  - Master of Arts Science Education (Middle Grades)
  - Master of Arts Science Education (Secondary Biological Science)
  - Master of Arts Science Education (Secondary Chemistry)
  - Master of Arts Science Education (Secondary Earth Science)
  - Master of Arts Science Education (Secondary Physics)
  - Endorsement Preparation Program, English Language Learning
  - B.S. Accounting
  - Certificate: Business Leadership
  - Certificate: B2B Sales Fundamentals
  - Certificate: Entrepreneurship Fundamentals
  - Certificate: Management Skills for Supervisors
  - Certificate: Project Management
  - Certificate: Nursing Leadership
  - Certificate: AI Skills Fundamentals
  - Certificate: Data Engineering Professional
  - Certificate: Front-End Web Developer
  - Certificate: Java Developer
  - Certificate: ServiceNow Application Developer
  - Certificate: Full Stack Engineering
In [ ]: